매운 것을 좋아하는 Leo는 모든 음식의 스코빌 지수를 K 이상으로 만들고 싶습니다. 모든 음식의 스코빌 지수를 K 이상으로 만들기 위해 Leo는 스코빌 지수가 가장 낮은 두 개의 음식을 아래와 같이 특별한 방법으로 섞어 새로운 음식을 만듭니다.
섞은 음식의 스코빌 지수 = 가장 맵지 않은 음식의 스코빌 지수 + (두 번째로 맵지 않은 음식의 스코빌 지수 * 2)
Leo는 모든 음식의 스코빌 지수가 K 이상이 될 때까지 반복하여 섞습니다.
Leo가 가진 음식의 스코빌 지수를 담은 배열 scoville과 원하는 스코빌 지수 K가 주어질 때, 모든 음식의 스코빌 지수를 K 이상으로 만들기 위해 섞어야 하는 최소 횟수를 return 하도록 solution 함수를 작성해주세요.
#include <string>
#include <vector>
#include <queue>
using namespace std;
int solution(vector<int> scoville, int K) {
int answer = 0;
priority_queue<int, vector<int>, greater<int>> pq;
for(int i=0;i<scoville.size();i++) {
pq.push(scoville[i]);
}
while(pq.top()<K) {
// 모든 음식의 스코빌 지수를 K 이상으로 만들 수 없는 경우
if(pq.size()==1) {
answer=-1;
break;
}
int x = pq.top();
pq.pop();
int y = pq.top();
pq.pop();
pq.push(x+2*y);
answer++;
}
return answer;
}
import java.util.*;
class Solution {
public int solution(int[] scoville, int K) {
int answer = 0;
PriorityQueue<Integer> pq = new PriorityQueue<>();
for(int s : scoville) {
pq.add(s);
}
// 가장 맵지 않은 음식의 스코빌 지수가 K보다 작으면 반복
while(K > pq.peek()) {
// 모든 음식의 스코빌 지수를 K 이상으로 만들 수 없는 경우
if(pq.size() < 2) {
return -1;
}
int food1 = pq.poll();
int food2 = pq.poll();
pq.add(food1 + food2*2); // 섞기
answer++;
}
return answer;
}
}
힙 -> 우선순위큐 😎