carloscn / structstudy

Leetcode daily trainning by using C/C++/RUST programming.
4 stars 1 forks source link

leetcode1046:最后一块石头的重量(last-stone-weight) #180

Open carloscn opened 1 year ago

carloscn commented 1 year ago

问题分析

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

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

提示:

来源:力扣(LeetCode) 链接:https://leetcode.cn/problems/last-stone-weight

carloscn commented 1 year ago

问题分析

先排序,比如说 [2,7,4,1,8,1] -> `[8,7,4,2,1,1], 排序之后放入一个队列的模型:

  1. 出两个,减法之后进一个,进之后队列重新排序
  2. 直到队列的数量小于1的时候,停止排列,如果是空的,那么为0,如果不为空,那么是队列剩余的数。
pub fn last_stone_weight(stones: Vec<i32>) -> i32
{
    let mut ret:i32 = 0;

    if stones.len() < 1 {
        return ret;
    }

    let mut stones_vec = stones.clone();

    stones_vec.sort();

    while stones_vec.len() > 1 {
        let e1 = stones_vec.pop().unwrap();
        let e2 = stones_vec.pop().unwrap();
        if e1 - e2 != 0 {
            stones_vec.insert(0, i32::abs(e1 - e2));
            stones_vec.sort();
        }
    }

    if stones_vec.len() != 0 {
        ret = stones_vec.pop().unwrap();
    }

    return ret;
}
carloscn commented 1 year ago

code

https://github.com/carloscn/structstudy/commit/340c5d828f50e933f65ac67771cdd8ee2f581f17 https://review.gerrithub.io/c/carloscn/structstudy/+/552366