题目描述
有一堆石头,每块石头的重量都是正整数。
每一回合,从中选出两块 最重的 石头,然后将它们一起粉碎。假设石头的重量分别为 x 和 y,且 x <= y。那么粉碎的可能结果如下:
如果 x == y,那么两块石头都会被完全粉碎;
如果 x != y,那么重量为 x 的石头将会完全粉碎,而重量为 y 的石头新重量为 y-x。
最后,最多只会剩下一块石头。返回此石头的重量。如果没有石头剩下,就返回 0。
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/last-stone-weight
解题思路
看了好多解答,没有用递归的方法,这次写了个递归,其实递归思路很简单,递归出口就是stones数组长度为0和1的时候,然后先对数组进行排序,按照条件设x和y,分别再对x=y与x≠y进行讨论,如果x=y,递归处理stones去掉最后两个元素的数组,如果x≠y,把第n-1个元素即stones[n-2]放y-x,递归处理stones去掉最后一个元素的数组即可。
解题代码
速度还挺快的:
执行用时:1 ms, 在所有 Java 提交中击败了80.11%的用户
内存消耗:35.7 MB, 在所有 Java提交中击败了81.22%的用户
class Solution {
public int lastStoneWeight(int[] stones) {
int n = stones.length;
if(n == 0){
return 0;
}
if(n == 1){
return stones[0];
}
Arrays.sort(stones);
int x = Math.min(stones[n-2],stones[n-1]);
int y = Math.max(stones[n-2],stones[n-1]);
if(x == y){
int[] retStones = new int[n - 2];
System.arraycopy(stones,0,retStones,0,n - 2);
return lastStoneWeight(retStones);
}
else{
stones[n-2] = y - x;
int[] retStones = new int[n - 1];
System.arraycopy(stones,0,retStones,0,n - 1);
return lastStoneWeight(retStones);
}
}
}
官方解答
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/last-stone-weight/solution/zui-hou-yi-kuai-shi-tou-de-zhong-liang-b-xgsx/
来源:力扣(LeetCode)
class Solution {
public int lastStoneWeight(int[] stones) {
PriorityQueue<Integer> pq = new PriorityQueue<Integer>((a, b) -> b - a);
for (int stone : stones) {
pq.offer(stone);
}
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();
}
}
(官方用了PriorityQueue)