力扣1046 最后一块石头的重量

125 阅读1分钟

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

每一回合,从中选出两块 最重的 石头,然后将它们一起粉碎。假设石头的重量分别为 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

来源:力扣(LeetCode)
链接:leetcode-cn.com/problems/la…
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

#include<iostream>
#include<vector>
#include<algorithm>
#include<functional>
using namespace std;
template<typename T>
class Heap :public vector<T>
{
public:
    template<typename Func_T>
    Heap(Func_T cmp):cmp(cmp){}
    void push(const T &a){
       this-> push_back(a);
        push_heap(this->begin(),this->end(),cmp);
        return;
    }
    void pop(){
            pop_heap(this->begin(),this->end(),cmp);
            this->pop_back();
            return;
    }
    T&top() {return this->at(0);}
    private:
    std::function<bool(T,T)> cmp;
};
class Solution {
public:
    int lastStoneWeight(vector<int>& stones) {
Heap<int>h{less<int>()};
for(int i=0;i<stones.size();i++) h.push(stones[i]);
int x=0; int y=0;
while(h.size()>1)
{
    y=h.top();h.pop();
    x=h.top();h.pop();
    if(x==y) continue;
    else h.push(y-x);
}
if(h.size()==0) return 0;
else return h.top();
    }
};