55.跳跃游戏
给定一个非负整数数组,你最初位于数组的第一个位置。
数组中的每个元素代表你在该位置可以跳跃的最大长度。
判断你是否能够到达最后一个位置。
贪心法
class Solution {
public boolean canJump(int[] nums) {
int n = nums.length;
if(n <= 1) {
return true;
}
// 设定当前可以到达的最大坐标
int farthest = nums[0];
for(int i = 0; i < n; i++) {
// 表示当前坐标可以达到
if(i <= farthest) {
// 更新可以达到的最远坐标
farthest = Math.max(farthest, i + nums[i]);
} else {
break;
}
}
return farthest >= n - 1 ? true : false;
}
}