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 |
29 | 30 | 31 |
Tags
- reactjs
- 커스텀
- 타입스크립트
- returnType
- 타입좁히기
- click and drag
- TSDoc
- vue.js
- React Native
- 리액트
- 반복줄이기
- javascript
- JS console
- 2022
- 개발콘텐츠
- 성능최적화
- typescript
- react
- NonNullable
- 티스토리꾸미기
- 레이아웃쪼개기
- 제네릭
- 누구나 자료구조와 알고리즘
- CSS
- 공통컴포넌트
- const 단언문
- React.js
- utilty type
- 폰트적용하기
- Chart.js
Archives
- Today
- Total
몽땅뚝딱 개발자
[프로그래머스 | Javascript] Lv.3 이중순위우선큐 본문
💬 문제 설명
이중 우선순위 큐는 다음 연산을 할 수 있는 자료구조를 말합니다.
명령어 | 수신 탑(높이) |
---|---|
I 숫자 | 큐에 주어진 숫자를 삽입합니다. |
D 1 | 큐에서 최댓값을 삭제합니다. |
D -1 | 큐에서 최솟값을 삭제합니다. |
이중 우선순위 큐가 할 연산 operations가 매개변수로 주어질 때, 모든 연산을 처리한 후 큐가 비어있으면 [0,0] 비어있지 않으면 [최댓값, 최솟값]을 return 하도록 solution 함수를 구현해주세요.
제한사항
- operations는 길이가 1 이상 1,000,000 이하인 문자열 배열입니다.
- operations의 원소는 큐가 수행할 연산을 나타냅니다.
- 원소는 “명령어 데이터” 형식으로 주어집니다.- 최댓값/최솟값을 삭제하는 연산에서 최댓값/최솟값이 둘 이상인 경우, 하나만 삭제합니다.
- 빈 큐에 데이터를 삭제하라는 연산이 주어질 경우, 해당 연산은 무시합니다.
입출력 예
operations | return |
---|---|
["I 16", "I -5643", "D -1", "D 1", "D 1", "I 123", "D -1"] | [0,0] |
["I -45", "I 653", "D 1", "I -642", "I 45", "I 97", "D 1", "D -1", "I 333"] | [333, -45] |
입출력 예 설명
입출력 예 #1
- 16과 -5643을 삽입합니다.
- 최솟값을 삭제합니다. -5643이 삭제되고 16이 남아있습니다.
- 최댓값을 삭제합니다. 16이 삭제되고 이중 우선순위 큐는 비어있습니다.
- 우선순위 큐가 비어있으므로 최댓값 삭제 연산이 무시됩니다.
- 123을 삽입합니다.
- 최솟값을 삭제합니다. 123이 삭제되고 이중 우선순위 큐는 비어있습니다.
따라서 [0, 0]을 반환합니다.
입출력 예 #2
- -45와 653을 삽입후 최댓값(653)을 삭제합니다. -45가 남아있습니다.
- -642, 45, 97을 삽입 후 최댓값(97), 최솟값(-642)을 삭제합니다. -45와 45가 남아있습니다.
- 333을 삽입합니다.
이중 우선순위 큐에 -45, 45, 333이 남아있으므로, [333, -45]를 반환합니다.
🗝 내가 푼 코드
이 문제는 정렬로도 충분히 풀 수 있다. 문제를 보자마자 떠올렸지만 알고리즘 스터디 목적에 어긋난다고 생각하여 이 문제에서 의도한 방법대로 풀어보기로 결심한다.
힙을 직접 구현하기위해 여기저기 참고하여 더듬더듬 클래스를 만들고 풀어보았다. 굉장히 오래걸렸지만 조금... 재밌었다.
const TYPE = {
'최댓값': '최댓값',
'최솟값': '최솟값',
}
const PROCESS_TYPE = {
'삽입': 'I',
'삭제': 'D',
}
/**
* @description
* 부모 노드가 자식 노드보다 크지 않은 '최소힙'으로 구현
*/
class MinHeap {
constructor() {
this.heap = [null]
}
push(value) {
this.heap.push(value)
let currentIndex = this.heap.length - 1
let parentIndex = Math.floor(currentIndex / 2)
// 현재 값보다 부모 값이 더 작을 떄 까지 (=최소힙의 형태를 만들 때 까지) swap 한다.
while (parentIndex !== 0 && this.heap[currentIndex] < this.heap[parentIndex]) {
this.swap(currentIndex, parentIndex)
currentIndex = parentIndex
parentIndex = Math.floor(currentIndex / 2)
}
}
pop(deleteTarget) {
if (this.isEmpty()) return
if (this.heap.length === 2) return this.heap.pop() // 루트 정점만 남은 경우
if (deleteTarget === TYPE.최댓값) {
const parentIndex = Math.floor((this.heap.length - 1) / 2);
const lastLeaf = this.heap.slice(parentIndex);
const max = Math.max(...lastLeaf);
this.swap(parentIndex + lastLeaf.indexOf(max), this.heap.length - 1);
return this.heap.pop();
}
const returnValue = this.heap[1]
this.heap[1] = this.heap.pop()
let currentIndex = 1
let leftIndex = 2
let rightIndex = 3
while (
this.heap[leftIndex] && this.heap[currentIndex] > this.heap[leftIndex] ||
this.heap[rightIndex] && this.heap[currentIndex] > this.heap[rightIndex]
) {
switch (true) {
case this.heap[leftIndex] === undefined:
this.swap(rightIndex, currentIndex)
break
case this.heap[rightIndex] === undefined:
this.swap(leftIndex, currentIndex)
break
case this.heap[leftIndex] > this.heap[rightIndex]:
this.swap(currentIndex, rightIndex)
currentIndex = rightIndex;
break
case this.heap[leftIndex] <= this.heap[rightIndex]:
this.swap(currentIndex, leftIndex)
currentIndex = leftIndex;
break
}
leftIndex = currentIndex * 2
rightIndex = currentIndex * 2 + 1
}
return returnValue
}
isEmpty() {
return this.heap.length === 1
}
swap(a, b) {
[this.heap[a], this.heap[b]] = [this.heap[b], this.heap[a]];
}
return() {
return this.heap
}
}
function solution(operations) {
const heap = new MinHeap()
operations.forEach((operation) => {
const [processType, number] = operation.split(' ').map((value, index) => {
// 값의 자료형을 [string, number]로 치환
return index === 1 ? Number(value) : value
})
if (processType === PROCESS_TYPE.삽입) {
heap.push(number)
} else {
heap.pop(number < 0 ? TYPE.최솟값 : TYPE.최댓값)
}
})
return heap.return()
}
'Development > 알고리즘' 카테고리의 다른 글
[프로그래머스 | Javascript] Lv.1 모의고사 (0) | 2024.11.25 |
---|---|
📔 [스터디] 학습노트 - Heap (0) | 2024.01.21 |
[프로그래머스 | Javascript] Lv.2 다리를 지나는 트럭 (0) | 2024.01.20 |
[프로그래머스 | Javascript] KAKAO INTERNSHIP. 두 큐 합 같게 만들기 (0) | 2024.01.12 |
[프로그래머스 | Javascript] Lv.2 올바른 괄호 (0) | 2024.01.08 |
Comments