- Today
- Total
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
- 정렬 알고리즘
- 스위프트
- swift 알고리즘
- 자료구조
- 프로그래머스 레벨2
- 프로그래머스 swift
- coding test
- 프로그래머스 level1
- swift
- 코딩테스트
- 감성에세이
- rxswift
- Design Pattern
- 다트
- 코테
- 프로그래머스
- dart
- sort
- 알고리즘
- 디자인 패턴
- programmers
- 디자인패턴
- datastructure
- 스위프트디자인패턴
- 정렬
- Algorithm
- swift 코딩테스트
- swift split
- programmer
- 정렬알고리즘
Bill Kim's Life...
[자료구조] Dequeue(데크) : Doubly-ended Queue, 스택과 큐의 장점을 모아서 만든 자료구조 본문
[자료구조] Dequeue(데크) : Doubly-ended Queue, 스택과 큐의 장점을 모아서 만든 자료구조
billnjoyce 2020. 6. 12. 11:24자료구조의 한 종류인 Dequeue(데크)에 대해서 살펴봅니다.
#. 구독 대상
- 컴퓨터 및 소프트웨어 공학과 관련자
- 자료구조 개념을 잡고 싶으신 분
- 소프트웨어 관련 종사자
- 기타 컴퓨터 공학에 관심이 있으신 분
- 기타 소프트웨어 개발과 지식에 관심이 있으신 모든 분들
- Swift 언어를 활용하여 자료구조를 공부해보고 싶으신 분들
Dequeue(데크)
데크(Dequeue)는 Doubly-ended Queue의 약자로서 양쪽 끝에서 추가, 삭제가 가능한 선형 구조 형태의 자료구조입니다.
스택과 큐의 장점을 모아서 만들어진 형태입니다.
추가, 삭제가 되는 부분의 명칭을 보통 Front, Rear이라고 명칭합니다.
데크(Dequeue)에는 제약 조건을 걸어 사용 목적을 달리하는 구조 또한 있습니다.
그것은 바로 입력제한데크(Scroll)와 출력제한데크(Shelf)가 있습니다.
동작흐름
Dequeue의 기본 동작 흐름은 아래와 같습니다.
- 입력과 출력이 양방향 가능
- 입력과 출력의 순서가 맘대로 정할 수 있음
- Enqueue(추가) 및 Dequeue(삭제) 실행 속도는 O(1)
입력제한데크(Scroll)
입력제한데크(Scroll)의 기본 동작 흐름은 아래와 같습니다.
- 입력(추가)을 한곳에만 제한을 주는 데크
- 삭제는 양방향 가능
출력제한데크(Shelf)
출력제한데크(Shelf)의 기본 동작 흐름은 아래와 같습니다.
- 삭제를 한곳에만 제한을 주는 데크
- 추가는 양방향 가능
특징
Dequeue의 특징을 살펴보면 아래와 같습니다.
- 데이터를 양쪽에서 삽입 한 곳에서는 삭제가 가능한 구조
- 데이터 입력 순서와 상관없이 출력 순서 조절 가능
- 스택과 큐의 장점을 모아서 만들어진 자료구조
Implementation
Swift를 활용하여 Dequeue를 구현해보겠습니다. 우선 필요한 메소드는 아래와 같습니다.
- init : 리스트를 초기화하는 함수
- enqueue : 데이터 입력
- enqueueFront : 앞쪽 방향에 데이터 입력
- dequeue : 첫번째 데이터 삭제
- dequeueBack : 뒤쪽 방향의 데이터 삭제
- peekFront : 첫번째 데이터 반환
- peekBack : 마지막 데이터 반환
- removeAll : 모든 데이터 삭제
- count : 현재 리스트의 크기를 반환
- isEmpty : 현재 리스트의 크기가 비어있는지 체크
Dequeue 클래스
class Dequeue<T> {
private var array = [T]()
public init() {}
public func enqueue(_ element: T) {
array.append(element)
}
public func enqueueFront(_ element: T) {
array.insert(element, at: 0)
}
public func dequeue() -> T? {
if isEmpty {
return nil
} else {
return array.removeFirst()
}
}
public func dequeueBack() -> T? {
if isEmpty {
return nil
} else {
return array.removeLast()
}
}
public func removeAll() {
array.removeAll()
}
}
extension Dequeue {
public func peekFront() -> T? {
return array.first
}
public func peekBack() -> T? {
return array.last
}
public var count: Int {
return array.count
}
public var isEmpty: Bool {
return array.isEmpty
}
}
Iterator
public struct DequeueIterator<T> : IteratorProtocol {
var currentElement: [T]
public mutating func next() -> T? {
if !self.currentElement.isEmpty {
return currentElement.removeFirst()
}else {
return nil
}
}
}
extension Dequeue : Sequence {
public func makeIterator() -> DequeueIterator<T> {
return DequeueIterator(currentElement: self.array)
}
}
사용 예시
let dequeue = Dequeue<Int>()
dequeue.enqueue(1)
dequeue.enqueue(2)
dequeue.enqueue(3)
dequeue.enqueueFront(4)
dequeue.enqueueFront(5)
// 현재 데이터 카운트 : 5
print(dequeue.count)
for node in dequeue {
print(node)
// 5
// 4
// 1
// 2
// 3
}
print(dequeue.peekFront()!) // 5
print(dequeue.dequeue()!) // 5
print(dequeue.dequeueBack()!) // 3
for node in dequeue {
print(node)
// 4
// 1
// 2
}
print(dequeue.peekBack()!) // 2
이상으로 자료구조에서의 DeQueue(데크)에 대해서 살펴보았습니다.
감사합니다.
www.slideshare.net/BillKim8/swift-data-structure-dequeue
[참고 자료(References)]
[1] 3. 데큐 구조체 : https://herohjk.com/16
[2] [선형구조]자료 구조의 개념 정리(리스트, 스택, 큐, 데크) : https://lee-mandu.tistory.com/462
[3] 자료구조 ] 큐와 데크란? : https://m.blog.naver.com/PostView.nhn?blogId=rbdi3222&logNo=220620826550&proxyReferer=https:%2F%2Fwww.google.com%2F
[4] 정보처리 자료구조 스택 큐 데크 : https://m.blog.naver.com/PostView.nhn?blogId=xpiart&logNo=220268937540&proxyReferer=https:%2F%2Fwww.google.com%2F
[5] [자료구조] 4. Deque : https://ieatt.tistory.com/7
'CS(컴퓨터 과학) > Data Structure' 카테고리의 다른 글
[자료구조] Tree(트리) : 계층적 자료구조 (0) | 2020.06.12 |
---|---|
[자료구조] Heap(힙) : 이진 트리를 배열로 표시, 최대값/최소값 빨리 찾기 (0) | 2020.06.12 |
[자료구조] Queue(큐) : FIFO, 배열을 통한 큐 구현 (0) | 2020.06.12 |
[자료구조] Stack(스택) : LIFO (0) | 2020.06.12 |
[자료구조] Linked List : 연결 리스트(Single, Double) (0) | 2020.06.11 |