标签:题目 imu blog element opened while als max ==
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
.
给定一个非负数整数数组,初始位置位于第一个索引处。数组中的每个元素代表能跳动的最大步数。
确定是否能够到达最后一个索引。
例如:
A = [2,3,1,1,4]
, return true
.
解释:
初始位置在A[0],最大能跳动2步,假定跳动最大步数,此时到了A[2] = 1,往前只能跳动一步,
所以到了A[3] = 1,所以正好再向前跳动一步,到达最后一个索引,所以返回为 true。
A = [3,2,1,0,4]
, return false
解释:
一个索引;
又到了 A[3];
所以无论怎么跳动,最后只能到达 A[3],所以返回 false 。
利用贪心思想和递归相结合的思路求解本题。
1 public class Solution { 2 //[2,2,0,1] 3 public bool CanJump(int[] nums) { 4 if(nums.Length==0) return false; 5 return jump(nums,0,nums[0]); 6 } 7 8 private bool jump(int[] nums, int cur, int maxjump) 9 { 10 if(cur==nums.Length-1)//cur就是终点,直接返回true 11 return true; 12 while(maxjump>0){ 13 int next = cur + maxjump; //cur+maxjump表示为下一次跳的最远位置 14 if(next >= nums.Length-1) //如果最远位置不小于终点位置,则一定可以到达终点位置,返回true 15 return true; 16 //走到这里表示本次按照最大次数也跳不到终点,那就按照最大步数跳 17 if(jump(nums,next,nums[next])==true) 18 return true; 19 maxjump--; 20 } 21 return false; 22 } 23 }
标签:题目 imu blog element opened while als max ==
原文地址:http://www.cnblogs.com/daigualu/p/7384491.html