Leetcode 55.跳躍遊戲
阿新 • • 發佈:2018-12-23
跳躍遊戲
給定一個非負整數陣列,你最初位於陣列的第一個位置。
陣列中的每個元素代表你在該位置可以跳躍的最大長度。
判斷你是否能夠到達最後一個位置。
示例 1:
輸入: [2,3,1,1,4]
輸出: true
解釋: 從位置 0 到 1 跳 1 步, 然後跳 3 步到達最後一個位置。
1 class Solution { 2 public boolean canJump(int[] nums) { 3 int N=nums.length; 4 int maxreach=0;//注意是下標值,而不是元素值5 for(int i=0;i!=N;i++){ 6 if(i>maxreach)//注意false的條件,就是maxreach停止了,而i仍然在增加,一直到超過maxreach也沒有停止,對應題目中的反例很好理解 7 return false; 8 maxreach=Math.max(maxreach,i+nums[i]); 9 if(maxreach>=N-1) 10 return true; 11 } 12return true; 13 } 14 }
給定一個非負整數陣列,你最初位於陣列的第一個位置。
陣列中的每個元素代表你在該位置可以跳躍的最大長度。
你的目標是使用最少的跳躍次數到達陣列的最後一個位置。
示例:
輸入: [2,3,1,1,4]
輸出: 2
解釋: 跳到最後一個位置的最小跳躍數是 2。
從下標為 0 跳到下標為 1 的位置,跳 1 步,然後跳 3 步到達陣列的最後一個位置。
1 class Solution {2 public int jump(int[] nums) { 3 int N=nums.length; 4 int[] maxReach=new int[N]; 5 maxReach[0]=nums[0]; 6 for(int i=1;i<N;i++){ 7 maxReach[i]=Math.max(maxReach[i-1],i+nums[i]); 8 } 9 int result=0; 10 int currentTarget=N-1; 11 if(N==1) 12 return 0; 13 for(int i=N-1;i>=0;i--){ 14 while(i>=0 && maxReach[i]>=currentTarget) 15 i--; 16 i++; 17 currentTarget=i; 18 result++; 19 } 20 return result; 21 } 22 }