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.

 

 1 class Solution {
 2 public:
 3     bool canJump(vector<int>& nums) {
 4         if(nums.size()==0||nums.size()==1) return true;
 5 
 6         int maxstep=nums[0];
 7 
 8         for(int i=1;i<nums.size();i++)
 9         {
10             if(maxstep==0) return false;
11 
12             maxstep--;
13             if(maxstep<nums[i])
14                 maxstep=nums[i];
15 
16             if(maxstep+i>=nums.size()-1) return true;
17         }
18     }
19 };

 

 

II:

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.

Your goal is to reach the last index in the minimum number of jumps.

For example:
Given array A = [2,3,1,1,4]

The minimum number of jumps to reach the last index is 2. (Jump 1 step from index 0 to 1, then 3 steps to the last index.)

 

 1 class Solution {
 2 public:
 3     int jump(vector<int>& nums) {
 4         int result=0;
 5 
 6         int last=0;
 7 
 8         int cur=0;
 9 
10         for(int i=0;i<nums.size();i++)
11         {
12             if(i>last)
13             {
14                 last=cur;
15                 result++;
16             }
17             cur=max(cur,i+nums[i]);
18         }
19 
20         return result;
21     }
22 };

 

posted on 2015-05-19 17:29  黄瓜小肥皂  阅读(158)  评论(0编辑  收藏  举报