leetcode 1046.最后一块石头的重量

leetcode 1046.最后一块石头的重量

题干

有一堆石头,每块石头的重量都是正整数。
每一回合,从中选出两块 最重的 石头,然后将它们一起粉碎。假设石头的重量分别为 x 和 y,且 x <= y。那么粉碎的可能结果如下:
如果 x == y,那么两块石头都会被完全粉碎;
如果 x != y,那么重量为 x 的石头将会完全粉碎,而重量为 y 的石头新重量为 y-x。
最后,最多只会剩下一块石头。返回此石头的重量。如果没有石头剩下,就返回 0。

示例:
输入:[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

题解

最简单粗暴的思路,直接模拟,不断升序排序stones数组,取出末两位作比较后进行处理,直到stones数组中元素个数小于等于1

class Solution {
    
    
public:
    int lastStoneWeight(vector<int>& stones) {
    
    
        while(stones.size() > 1){
    
    
            sort(stones.begin(),stones.end());
            int first = stones.back();
            stones.pop_back();
            int second = stones.back();
            stones.pop_back();
            if(first == second){
    
    
                continue;
            }else{
    
    
                stones.push_back(first - second);
            }
        }
        return stones.size() == 1 ? stones[0] : 0;
    }
};

手动排序部分也可以用priority_queue代替,默认情况下堆顶元素一定是最大的

class Solution {
    
    
public:
    int lastStoneWeight(vector<int>& stones) {
    
    
        priority_queue<int> bigTopStones;
        for(auto i : stones){
    
    
            bigTopStones.push(i);
        }
        //堆顶元素一定是坠大的
        while(bigTopStones.size() > 1){
    
    
            int first = bigTopStones.top();
            bigTopStones.pop();
            int second = bigTopStones.top();
            bigTopStones.pop();
            if(first == second){
    
    
                continue;
            }else{
    
    
                bigTopStones.push(first - second);
            }
        }
        return bigTopStones.size() == 1 ? bigTopStones.top() : 0;
    }
};

猜你喜欢

转载自blog.csdn.net/weixin_43662405/article/details/111992513