55、Jump Game

leetcode 55 Jump Game

Given an array of non-negative integers, you are initially positioned at the first index of the array.

Each element in the array represents your maximum jump length at that position.

Determine if you are able to reach the last index.

For example:
A = [2,3,1,1,4], return true.

A = [3,2,1,0,4], return false.
思路:
这道题说的是有一个非负整数的数组,每个数字表示在当前位置的基础上最多可以走的步数,求判断能不能到达最后一个位置,开始我以为是必须刚好到达最后一个位置,超过了不算,其实是理解题意有误,因为每个位置上的数字表示的是最多可以走的步数而不是像玩大富翁一样摇骰子摇出几一定要走几步。那么我们可以用动态规划Dynamic Programming来解,我们维护一个一位数组dp,其中dp[i]表示走道i位置时剩余的最大步数,那么递推公式为:dp[i] = max(dp[i - 1], A[i - 1]) - 1,如果当某一个时刻dp数组的值为负了,说明无法抵达当前位置,则直接返回false,最后我们判断dp数组最后一位是否为非负数即可知道是否能抵达该位置。

var canJump = function(nums) {
    var dp=[];
    dp[0]=nums[0];
    for(var i=1;i=0){
        return true;
    }
    
};

思路二:

也可以采用维持一个常量maxIndex,表示能到达的最远的地方,遍历数组中的每一个数,如果当前坐标大于maxIndex或者maxIndex已经抵达最后一个位置则跳出循环,否则就更新maxIndex的值为其和i+nums[i]中叫的的值。其中i+nums[i]表示当前位置能到达的最大位置。

var canJump = function(nums) {
    var maxIndex=0;
    for(var i=0;imaxIndex || maxIndex>=nums.length-1) break;
        maxIndex=Math.max(maxIndex,i+nums[i])
    }
    return maxIndex>=nums.length-1 
};

你可能感兴趣的:(55、Jump Game)