题目描述:
给你一个非负整数数组 nums ,你最初位于数组的 第一个下标 。数组中的每个元素代表你在该位置可以跳跃的最大长度。
判断你是否能够到达最后一个下标,如果可以,返回 true ;否则,返回 false 。
输入:
nums = [2,3,1,1,4]
输出:
true
解释:可以先跳 1 步,从下标 0 到达下标 1, 然后再从下标 1 跳 3 步到达最后一个下标。
代码实现:
java
public class Demo4 {
public static void main(String[] args) {
int[] nums = new int[]{2,3,1,1,4};
System.out.println(canJump(nums));//true
}
public static boolean canJump(int[] nums) {
//记录当前能够跳跃到的最大位置
int max = 0;
//遍历数组
for (int i = 0; i < nums.length; i++) {
//当max不小于i时,才让max更新一直最大跳跃长度
if (max >= i) {
//更新最大一跳
max = Math.max(max, nums[i] + i);
if (max >= nums.length - 1) {
//如果当前能够跳到最后一个元素的位置,直接返回true
return true;
}
}
}
return false;
}
}