-
Notifications
You must be signed in to change notification settings - Fork 1
/
1046.最后一块石头的重量.java
72 lines (70 loc) · 1.9 KB
/
1046.最后一块石头的重量.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
/*
* @lc app=leetcode.cn id=1046 lang=java
*
* [1046] 最后一块石头的重量
*
* https://leetcode-cn.com/problems/last-stone-weight/description/
*
* algorithms
* Easy (61.48%)
* Likes: 128
* Dislikes: 0
* Total Accepted: 46.2K
* Total Submissions: 70.5K
* Testcase Example: '[2,7,4,1,8,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
*
*
*/
// @lc code=start
class Solution {
public int lastStoneWeight(int[] stones) {
PriorityQueue<Integer> queue = new PriorityQueue<>((x, y) -> y - x);
for (int stone : stones) {
queue.add(stone);
}
while (!queue.isEmpty()) {
if (queue.size() == 1) {
return queue.poll();
}
int y = queue.poll();
int x = queue.poll();
if (y == x) {
continue;
}
queue.add(y - x);
}
return 0;
}
}
// @lc code=end