1046. 最後一塊石頭的重量

有一堆石頭,每塊石頭的重量都是正整數。spa

每一回合,從中選出兩塊最重的石頭,而後將它們一塊兒粉碎。假設石頭的重量分別爲 x 和 y,且 x <= y。那麼粉碎的可能結果以下:code

  • 若是 x == y,那麼兩塊石頭都會被徹底粉碎;
  • 若是 x != y,那麼重量爲 x 的石頭將會徹底粉碎,而重量爲 y 的石頭新重量爲 y-x

最後,最多隻會剩下一塊石頭。返回此石頭的重量。若是沒有石頭剩下,就返回 0blog

 

提示:it

  1. 1 <= stones.length <= 30
  2. 1 <= stones[i] <= 1000

題解:使用大根堆維護io

class Solution {
    public int lastStoneWeight(int[] stones) {
        PriorityQueue<Integer> heap = new PriorityQueue<>((o1,o2)->o2.compareTo(o1));
        for(int stone:stones){
            heap.offer(stone);
        }
        while(heap.size()>1){
            int s1 = heap.poll();
            int s2 = heap.poll();
            if(s1==s2) continue;
            int max = Math.max(s1,s2);
            int min = Math.min(s1,s2);
            max = max - min;
            heap.offer(max);
        }
        if(heap.isEmpty()){
            return 0;
        }else{
            return heap.poll();
        }
    }
}
相關文章
相關標籤/搜索