반응형
들어가며
힙 - JavaScript를 먼저 공부한 다음 푼 문제입니다.
바로 풀리지 않거나 설명이 필요하다면 참고하는 것을 추천드립니다.
문제 설명
OO 조선소에서는 태풍으로 인한 작업지연으로 수주한 선박들을 기한 내에 완성하지 못할 것이 예상됩니다. 기한 내에 완성하지 못하면 손해 배상을 해야 하므로 남은 일의 작업량을 숫자로 매기고 배상비용을 최소화하는 방법을 찾으려고 합니다.
배상 비용은 각 선박의 완성까지 남은 일의 작업량을 제곱하여 모두 더한 값이 됩니다.
조선소에서는 1시간 동안 남은 일 중 하나를 골라 작업량 1만큼 처리할 수 있습니다. 조선소에서 작업할 수 있는 N 시간과 각 일에 대한 작업량이 담긴 배열(works)이 있을 때 배상 비용을 최소화한 결과를 반환하는 함수를 만들어 주세요. 예를 들어, N=4일 때, 선박별로 남은 일의 작업량이 works = [4, 3, 3]이라면 배상 비용을 최소화하기 위해 일을 한 결과는 [2, 2, 2]가 되고 배상 비용은 22 + 22 + 22 = 12가 되어 12를 반환해 줍니다.
제한사항
- 일할 수 있는 시간 N : 1,000,000 이하의 자연수
- 배열 works의 크기 : 1,000 이하의 자연수
- 각 일에 대한 작업량 : 1,000 이하의 자연수
입출력 예
N | works | result |
4 | [4,3,3] | 12 |
2 | [3,3,3] | 17 |
입출력 예 #1
문제의 예제와 같습니다.
입출력 예 #2
배상 비용을 최소화하기 위해 일을 한 결과는 [2, 2, 3]가 되고 배상 비용은 22 + 22 + 32 = 17가 되어 17를 반환해 줍니다.
나의 풀이
const no = 4;
const works = [4, 3, 3];
class MaxHeap {
constructor() {
this.heap = [null];
}
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] = value;
this.heap[currentIndex] = temp;
currentIndex = parentIndex;
parentIndex = Math.floor(currentIndex / 2);
}
}
pop() {
if (this.heap.length === 2) 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[currentIndex] < this.heap[leftIndex] ||
this.heap[currentIndex] < this.heap[rightIndex]
) {
if (this.heap[leftIndex] < this.heap[rightIndex]) {
const temp = this.heap[currentIndex];
this.heap[currentIndex] = this.heap[rightIndex];
this.heap[rightIndex] = temp;
currentIndex = rightIndex;
} else {
const temp = this.heap[currentIndex];
this.heap[currentIndex] = this.heap[leftIndex];
this.heap[leftIndex] = temp;
currentIndex = leftIndex;
}
leftIndex = currentIndex * 2;
rightIndex = currentIndex * 2 + 1;
}
return returnValue;
}
}
function solution(no, works) {
var result = 0;
if (works.reduce((a, b) => a + b) <= no) {
return 0;
}
const heap = new MaxHeap();
for (const item of works) {
heap.push(item);
}
for (let i = 0; i < no; i++) {
const data = heap.pop() - 1;
heap.push(data);
}
for (const item of heap.heap) {
result += item * item;
}
return result;
}
solution(no, works);
반응형
'알고리즘' 카테고리의 다른 글
[알고리즘] 입국 심사 (0) | 2022.08.18 |
---|---|
[알고리즘] 자동 완성 (0) | 2022.08.16 |
[알고리즘] 베스트 앨범 (2) | 2022.08.10 |
[알고리즘] 프린터 - 다시 풀기 (1) | 2022.08.08 |
[알고리즘] 올바른 괄호 (1) | 2022.08.06 |