给定一个长度为 n 的 0 索引整数数组 nums。初始位置为 nums[0]。
每个元素 nums[i] 表示从索引 i 向前跳转的最大长度。换句话说,如果你在 nums[i] 处,你可以跳转到任意 nums[i + j] 处:
0 <= j <= nums[i]
i + j < n
返回到达 nums[n - 1] 的最小跳跃次数。生成的测试用例可以到达 nums[n - 1]。
示例 1:
输入: nums = [2,3,1,1,4]
输出: 2
解释: 跳到最后一个位置的最小跳跃数是 2。
从下标为 0 跳到下标为 1 的位置,跳 1 步,然后跳 3 步到达数组的最后一个位置。
示例 2:
输入: nums = [2,3,0,1,4]
输出: 2
在这里插入图片描述
解题思路
此题我使用的贪心算法的思路,确保每一步都为最优解
有三个概念:1.当前位置2.当前覆盖范围3.最大覆盖范围
在循环中进行比较,如果最大范围比数组长度长则退出
如果当前范围等于当前位置则走一步
class Solution {
public int jump(int[] nums) {
if (nums == null || nums.length == 0 || nums.length == 1) {
return 0;
}
int count=0;
int cur=0;
int max=0;
for(int i=0;i<nums.length;i++){
max=Math.max(max,i+nums[i]);
//下一步走到结尾
if(max>=nums.length-1){
count++;
break;
}
//走到当前范围,向前走一步
if(i==cur){
cur=max;
count++;
}
}
return count;
}
}