일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
- CSS
- utilty type
- reactjs
- Chart.js
- 성능최적화
- 폰트적용하기
- 누구나 자료구조와 알고리즘
- 타입스크립트
- 티스토리꾸미기
- 타입좁히기
- React Native
- 리액트
- TSDoc
- 커스텀
- React.js
- click and drag
- 공통컴포넌트
- 반복줄이기
- 레이아웃쪼개기
- 제네릭
- JS console
- 2022
- react
- returnType
- typescript
- 개발콘텐츠
- vue.js
- NonNullable
- const 단언문
- javascript
- Today
- Total
몽땅뚝딱 개발자
📔 [스터디] 학습노트 - Stack, Queue 본문
✨ 스택(Stack)
1.1 정의
스택이 데이터를 저장하는 방법은 배열과 같으며 단순히 원소들의 리스트이다.
스택 연산을 묘사하는 데 쓰이는 유용한 두문자어가 LIFO(Last In, First Out)이다.
스택은 다음과 같은 세 가지 제약이 있다.
- 데이터는 스택의 끝에만 삽입할 수 있다.
- 데이터는 스택의 끝에서만 삭제할 수 있다.
- 스택의 마지막 원소만 읽을 수 있다.
접시 더미나 수직으로 놓인 배열로 묘사하여 생각해보자.
1.2 용어
- 데이터 스택에 넣기: push(), append()
- 데이터 스택에서 꺼내기: pop()
class Stack {
constructor() {
this._arr = [];
}
push(item) {
this._arr.push(item);
}
pop() {
return this._arr.pop();
}
peek() {
return this._arr[this._arr.length - 1];
}
}
const stack = new Stack();
stack.push(1);
stack.push(2);
stack.push(3);
stack.pop(); // 3
✨ 큐(Queue)
1.1 정의
큐 또한 임시데이터를 처리하기 위해 디자인된 데이터 구조다.
큐 연산을 묘사하는 데 쓰이는 유용한 두문자어가 LIFO(First In, Last Out)이다.
큐는 다음과 같은 세 가지 제약이 있다.
- 데이터는 큐의 끝에만 삽입할 수 있다.
- 데이터는 큐의 앞에서만 삭제할 수 있다.
- 큐의 앞에 있는 원소만 읽을 수 있다.
1.2 용어
- Enqueue(인큐): 큐에 데이터를 추가하는 작업이다. 데이터는 큐의 뒤(rear)에 추가된다.
- Dequeue(디큐): 큐에서 데이터를 제거하는 작업이다. 데이터는 큐의 앞(front)에서 제거된다.
- Peek(피크): 큐의 가장 앞에 있는 데이터를 조회하지만, 제거는 하지 않는다
- isEmpty(비어있는지 확인): 큐가 비어있는지 여부를 확인한다.
- size(크기 확인): 큐에 현재 저장된 데이터의 개수를 반환한다.
class Queue {
constructor() {
this._arr = [];
}
enqueue(item) {
this._arr.push(item);
}
dequeue() {
return this._arr.shift();
}
}
const queue = new Queue();
queue.enqueue(1);
queue.enqueue(2);
queue.enqueue(3);
queue.dequeue(); // 1
✨ 우선순위 큐
- 큐 구조를 기반으로 데이터를 일렬로 늘어놓은 다음 그 중 가장 우선순위가 높은 데이터를 가장 먼저 꺼내오는 방식으로 동작한다.
- 삽입 시 우선순위를 고려하여 요소의 위치를 조정한다. 이 때 적절한 위치를 찾기 위해 우선순위를 비교하며 우선순위가 높은 요소가 먼저 위치하도록 한다.
- 큐 내에 우선순위가 같은 요소가 여러 개 있다면 일반적으로 먼저 큐에 추가된 요소가 먼저 제거된다.
먼저 들어온 것이 먼저 나가는(FIFO) 자료구조이고, 우선순위 큐는 우선순위가 높은 것이 먼저 나가는 자료구조이다. 큐는 먼저 들어온 것이 먼저 처리되어야 할 때 사용하고, 우선순위 큐는 처리 순서가 우선순위에 따라 결정되어야 할 때 사용한다.
[구현방법]
1. 배열 및 연결리스트로 구현: 하지만 삭제, 삽입 시 모든 인덱스를 탐색하는 과정이 있어 시간복잡도가 O(N)이 된다.
2. 힙으로 구현: O(logN)이 된다. (🔗 힙 공부한 글: 노드 기반 자료구조: 트리(Tree) - 힙(Heap), 트라이(trie))
📄 최대힙으로 구현하기
class MaxHeap {
constructor() {
this.heap = [null];
}
heap_push(value) {
// 아래에서 위로
this.heap.push(value);
let currentIndex = this.heap.length - 1;
let parentIndex = Math.floor(currentIndex / 2);
while (parentIndex !== 0 && this.heap[parentIndex] < value) {
const temp = this.heap[parentIndex];
this.heap[parentIndex] = this.heap[currentIndex];
this.heap[currentIndex] = temp;
currentIndex = parentIndex;
parentIndex = Math.floor(currentIndex / 2);
}
}
heap_pop() {
if (this.heap.length === 2) return this.heap.pop(); // 루트 정점만 남은 경우
// 위에서 아래로
let returnValue = this.heap[1];
this.heap[1] = this.heap.pop();
let currentIndex = 1;
let leftIndex = 2;
let rightIndex = 3;
while (
this.heap[currentIndex] < this.heap[leftIndex] ||
this.heap[currentIndex] < this.heap[rightIndex]
) {
const temp = this.heap[currentIndex];
if (this.heap[leftIndex] < this.heap[rightIndex]) {
this.heap[currentIndex] = this.heap[rightIndex]
this.heap[rightIndex] = temp;
currentIndex = rightIndex;
} else {
this.heap[currentIndex] = this.heap[leftIndex]
this.heap[leftIndex] = temp;
currentIndex = leftIndex;
}
leftIndex = currentIndex * 2;
rightIndex = leftIndex + 1;
}
return returnValue;
}
heap_return() {
return this.heap;
}
}
✨ 덱/데크(Deque)
- 선형 구조에는 큐, 스택, 덱이 있다.
- '양쪽 끝에서 삽입과 삭제가 가능'한 자료구조를 의미한다.
- 양방향 큐이다.
- 데크는 양 끝 엘리먼트의 append()와 pop()이 O(1)로 압도적으로 빠르다.
class Deque {
constructor() {
this.arr = [];
this.head = 0;
this.tail = 0;
}
push_front(item) {
// 0번 인덱스에 값이 있다면 뒤로 한 칸씩 미룬다.
if (this.arr[0]) {
for (let i = this.arr.length; i > 0; i--) {
this.arr[i] = this.arr[i - 1];
}
}
this.arr[this.head] = item;
this.tail++;
}
push_back(item) {
this.arr[this.tail++] = item;
}
pop_front() {
// deque에 요소가 있는지 판단
if (this.head >= this.tail) {
return null;
} else {
const result = this.arr[this.head++];
return result;
}
}
pop_back() {
// deque에 요소가 있는지 판단
if (this.head >= this.tail) {
return null;
} else {
const result = this.arr[--this.tail];
return result;
}
}
}
let deque = new Deque();
deque.push(1); // arr: [1], head: 0, tail: 1
deque.push(2); // arr: [1, 2], head: 0, tail: 2
deque.push(3); // arr: [1, 2, 3], head: 0, tail: 3
deque.popleft(); // result: 1, arr: [2, 3], head: 1, tail: 3
deque.pop(); // result: 3, arr: [2] head: 1, tail: 2
참고 자료
'STUDY > 2024' 카테고리의 다른 글
[스터디] 알고리즘: 3주차 한번 더. 힙(Heap) (1) | 2024.01.21 |
---|---|
📔 [스터디] 학습노트 - Hashtable, HashMap (0) | 2024.01.14 |
[스터디] 알고리즘: 3주차. Stack, Queue (0) | 2024.01.07 |
📔 [스터디] 학습노트 - 시간복잡도 (1) | 2024.01.02 |
📔 [스터디] 학습노트 - 배열 (0) | 2024.01.02 |