Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- TIL
- css
- 프로그래머스
- GraphQL
- html
- Interceptor
- Linux
- node.js
- MySQL
- nestjs
- winston
- 탐욕법
- 코딩테스트
- REST API
- LifeCycle
- 인접리스트
- puppeteer
- 자료구조
- Spring
- bean
- typescript
- 인접행렬
- 알고리즘
- java
- Deep Dive
- Kubernetes
- OOP
- javascript
- JWT
- dfs
Archives
- Today
- Total
처음부터 차근차근
[TypeScript] MaxHeap 구현 본문
728x90
Typescript를 통해 Heap 중 최대 힙을 구현하였다.
사용하면서 느낀 점은
- 타입 스크립트 사용 시 타입 단언을 잘 해줘야 한다.
- 항상 생각하고 주석을 달면서 코드를 작성하자.
class MaxHeap {
private heap: number[];
constructor() {
this.heap = [];
}
push(value: number) {
this.heap.push(value);
this.heapifyUp();
}
pop() {
if (this.heap.length === 0) return null;
const root = this.heap[0];
// 마지막 노드를 pop 한 것을 root로 올리기 위해 저장.
// 타입 단언 사용
const lastNode: number = this.heap.pop() as number;
if (this.heap.length !== 0) {
this.heap[0] = lastNode;
this.heapifyDown();
}
return root;
}
// 최상단 노드 확인
findRoot(): number | null {
if (this.heap.length === 0) return null;
return this.heap[0];
}
show(): number[] {
return this.heap;
}
size(): number {
return this.heap.length;
}
heapifyUp(): void {
// 8번째라면, 8번째로 투입, 그러나 인덱스는 7이기에 마이너스
let index = this.heap.length - 1;
while (index > 0) {
// index = 7 이라면 3.5,
// index = 8 이라면 4이므로
// index - 1을 해준다.
const parentIndex = Math.floor((index - 1) / 2);
if (this.heap[parentIndex] >= this.heap[index]) break;
[this.heap[parentIndex], this.heap[index]] = [
this.heap[index],
this.heap[parentIndex],
];
index = parentIndex;
}
}
heapifyDown(): void {
let index = 0;
const length = this.heap.length;
while (true) {
let smallest = index;
const leftChildIndex = 2 * index + 1;
const rightChildIndex = 2 * index + 2;
// 왼쪽 자식 노드가 부모 노드보다 클 경우
if (
leftChildIndex < length &&
this.heap[leftChildIndex] > this.heap[smallest]
) {
smallest = leftChildIndex;
}
// 오른쪽 자식 노드가 부모 노드보다 클 경우
if (
rightChildIndex > length &&
this.heap[rightChildIndex] > this.heap[smallest]
) {
smallest = rightChildIndex;
}
// 두 조건을 모두 통과한 경우
// smallest가 index와 동일한 상태이므로
if (smallest === index) break;
[this.heap[index], this.heap[smallest]] = [
this.heap[smallest],
this.heap[index],
];
index = smallest;
}
}
}
const makeHeap = new MaxHeap();
makeHeap.push(1);
makeHeap.push(9);
makeHeap.push(13);
makeHeap.push(8);
makeHeap.push(5);
console.log(makeHeap.show());
'CS > 자료구조' 카테고리의 다른 글
[자료구조] 인접 행렬, 인접 리스트 (0) | 2023.11.15 |
---|---|
[자료구조] Graph (0) | 2023.11.15 |
[자료구조] Heap (0) | 2023.11.13 |
[Javascript] Hash Table 구현 (0) | 2023.11.07 |
[자료구조] Hash (0) | 2023.11.07 |