题目:
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
题解:
遍历一次,以step记录到达i时能移动的最大步伐。只要某一step=0,就会返回false。(跟贪婪有关系?)
public class Solution {
public boolean canJump(int[] nums) {
if (nums.length == 0)
return false;
int step = nums[0];
for(int i = 1; i < nums.length; i++){
if (step > 0){
step--;
step = Math.max(step, nums[i]);
}
else
return false;
}
return true;
}
}
本文探讨了如何通过遍历一次数组并记录可达最大步数,判断是否能从数组首位置跳到最后位置的问题。实现了一个名为`canJump`的公共方法,通过实例演示了解决方案。

1028

被折叠的 条评论
为什么被折叠?



