LeetCode 55. Jump Game (贪心)

 

题目描述:

这题是上一题(https://blog.csdn.net/qq_36652619/article/details/100565302)的弟弟,

每个点的数字代表可以从当前节点跳跃最远的节点数,比如 [ 2, 3, 1, 1, 4 ] 第一个节点跳跃最远位置就是下标为2的第三个元素。

求是否能到最后一个节点?

LeetCode 55. Jump Game (贪心)_第1张图片

解析:

这个题比上一篇那个简单,不需要实现最少次数,所以其实用贪心算法很快能解决。

贪心算法:在对问题求解时,总是做出在当前看来是最好的选择。

其实就是不断的选择更远的距离,看看距离最终是否能覆盖到最后一个元素

那我们只需要不断地有更远的距离就替换掉我们记录的最远距离值,到最后如果最远距离不能到达最后一个就返回false,能到返回true。

 

下方代码思路:

LeetCode 55. Jump Game (贪心)_第2张图片

class Solution {
public:
    bool canJump(vector& nums) {
        //总长度
        int len = nums.size();
        //目前能触及的最远距离
        int theFarthestDistance = 0;
        for(int i = 0; i < len; i++){
            if(i == (len-1)) break;
            //能到达的最远距离的点为0,说明无论如何不能往后延伸,说明不可以
            if(i == theFarthestDistance && nums[i] == 0) return false;
            theFarthestDistance = max((nums[i] + i), theFarthestDistance);
        }
        return true;
    }
};

 

LeetCode 55. Jump Game (贪心)_第3张图片

 

下方代码思路:

可能下面这种比上面好理解点

LeetCode 55. Jump Game (贪心)_第4张图片

class Solution {
public:
    bool canJump(vector& nums) {
        //总长度
        int len = nums.size();
        //目前能触及的最远距离
        int theFarthestDistance = 0;
        for(int i = 0; i < len; i++){
            //i是最远距离到不了的地方
            if(i > theFarthestDistance) return false;
            theFarthestDistance = max((nums[i] + i), theFarthestDistance);
        }
        return true;
    }
};

LeetCode 55. Jump Game (贪心)_第5张图片

下面的代码少了判断更快,所以还是后面的代码比较好,也容易理解

 

你可能感兴趣的:(LeetCode划水)