#yyds干货盘点# 动态规划专题:跳跃游戏(三)

时间:2022-11-07 19:56:45

1.简述:

描述

给定一个非负整数数组nums,假定最开始处于下标为0的位置,数组里面的每个元素代表下一跳能够跳跃的最大长度。请你判断最少跳几次能跳到数组最后一个位置。

1.如果跳不到数组最后一个位置或者无法跳跃(即数组长度为0),请返回-1

2.数据保证返回的结果不会超过整形范围,即不会超过#yyds干货盘点# 动态规划专题:跳跃游戏(三)

数据范围:

#yyds干货盘点# 动态规划专题:跳跃游戏(三)

#yyds干货盘点# 动态规划专题:跳跃游戏(三)

输入描述:

第一行输入一个正整数 n 表示数组 nums的长度

第二行输入 n 个整数,表示数组 nums 的内容

输出描述:

输出最少跳几次到最后一个位置

示例1

输入:

7
2 1 3 3 0 0 100

输出:

3

说明:

首先位于nums[0]=2,然后可以跳2步,到nums[2]=3的位置,step=1 再跳到nums[3]=3的位置,step=2再直接跳到nums[6]=100,可以跳到最后,step=3,返回3
示例2

输入:

7
2 1 3 2 0 0 100

输出:

-1

2.代码实现:

public class Main{

public static int process2(int[]arr,int n){
int step=0;
int cur=0;
int next=0;
for(int i=0;i<n;i++){
if(cur<i){
step++;
cur=next;
if(cur<i)
return -1;
}
next=Math.max(next,i+arr[i]);
}
return step;
}




public static void main(String[]args){
Scanner sc=new Scanner(System.in);
int n=sc.nextInt();
if(n==0)
System.out.print(-1);
else{
int[] arr=new int[n];
for(int i=0;i<n;i++){
arr[i]=sc.nextInt();
}
System.out.print(process2(arr,n));
}
}
}