当前位置 博文首页 > Inmaturity_7的博客:算法练习帖--45--最后一块石头的重量(Java)

    Inmaturity_7的博客:算法练习帖--45--最后一块石头的重量(Java)

    作者:[db:作者] 时间:2021-08-01 08:42

    最后一块石头的重量

    一、题目描述

    有一堆石头,每块石头的重量都是正整数。

    每一回合,从中选出两块 最重的 石头,然后将它们一起粉碎。假设石头的重量分别为 x 和 y,且 x <= y。那么粉碎的可能结果如下:

    如果 x == y,那么两块石头都会被完全粉碎;
    如果 x != y,那么重量为 x 的石头将会完全粉碎,而重量为 y 的石头新重量为 y-x。
    最后,最多只会剩下一块石头。返回此石头的重量。如果没有石头剩下,就返回 0。
    (题目来源:力扣(LeetCode))

     
    示例:
    输入:[2,7,4,1,8,1]
    输出:1
    解释:
    先选出 7 和 8,得到 1,所以数组转换为 [2,4,1,1,1],
    再选出 2 和 4,得到 2,所以数组转换为 [2,1,1,1],
    接着是 2 和 1,得到 1,所以数组转换为 [1,1,1],
    最后选出 1 和 1,得到 0,最终数组转换为 [1],这就是最后剩下那块石头的重量。
    
    提示:
    1 <= stones.length <= 30
    1 <= stones[i] <= 1000
    

    二、解决方法

    1. 暴力解法

    class Solution {
      public int lastStoneWeight(int[] stones) {
            LinkedList<Integer> linkedList = new LinkedList<>(Arrays.stream(stones).boxed().collect(Collectors.toList()));
            Collections.sort(linkedList);
            //每次计算完排序然后计算
            //直至计算到最后一个数,返回最后结果
            while (linkedList.size() > 1) {
            	//最大的数
                int first = linkedList.pollLast();
                //次大的数
                int second = linkedList.pollLast();
                int sub=first-second;
                if(sub>0){
                    linkedList.offer(sub);
                }
                Collections.sort(linkedList);
            }
            return linkedList.size()==0?0:linkedList.peek();
        }
    }
    

    2. 排序优先队列(官方题解)

    class Solution {
        public int lastStoneWeight(int[] stones) {
        	//新建一个带new Comparator()的有序优先队列
            PriorityQueue<Integer> pq = new PriorityQueue<Integer>((a, b) -> b - a);
            //将石头加入优先队列
            for (int stone : stones) {
                pq.offer(stone);
            }
    		//直接比较即可,PriorityQueue会自动排序
            while (pq.size() > 1) {
                int a = pq.poll();
                int b = pq.poll();
                if (a > b) {
                    pq.offer(a - b);
                }
            }
            return pq.isEmpty() ? 0 : pq.poll();
        }
    }
    
    cs