본문 바로가기
Algorithm/프로그래머스

[프로그래머스]힙(Heap) : 더 맵게(level 2) (c++)

by HBGB 2020. 5. 13.

https://programmers.co.kr/learn/courses/30/lessons/42626

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

 

 

#include <string>
#include <vector>
#include <queue>

using namespace std;

int solution(vector<int> scoville, int K) {

    // 최소 힙에 scoville 요소 담기 
    priority_queue<int, vector<int>, greater<int>> pq(scoville.begin(), scoville.end());

    // 힙의 최소값이 K 이상이 되면, 섞은 횟수 반환
    int answer = 0;
    while (!pq.empty() && pq.top() < K)
    {
        // 남은 힙의 요소가 1개이고, 요소 값이 K 미만 일때 : 불가능
        if (pq.size() == 1)
        {
            return -1;
        }

        int min1 = pq.top();
        pq.pop();
        int min2 = pq.top();
        pq.pop();

        pq.push(min1 + min2 * 2);
        ++answer;

    }

    return answer;
}

 

라이브러리를 사용하니 간단하게 끝났다.

최소 힙은 가장 작은 값을 기준으로 트리 정렬되므로,

최소값이 K 이상이면 = 모든 수가 K 이상임을 보장한다.

 

댓글