leetcode-55-跳跃游戏(jump game)-java

题目及测试

package pid055;

import java.util.List;

/*跳跃游戏

给定一个非负整数数组,你最初位于数组的第一个位置。

数组中的每个元素代表你在该位置可以跳跃的最大长度。

判断你是否能够到达最后一个位置。

示例 1:

输入: [2,3,1,1,4]
输出: true
解释: 从位置 0 到 1 跳 1 步, 然后跳 3 步到达最后一个位置。

示例 2:

输入: [3,2,1,0,4]
输出: false
解释: 无论怎样,你总会到达索引为 3 的位置。但该位置的最大跳跃长度是 0 , 所以你永远不可能到达最后一个位置。


*/
public class main {
	
	public static void main(String[] args) {
		int[] testTable=new int[]{3,2,1,0,4};
		test(testTable);
		
		
	}
		 
	private static void test(int[] ito) {
		Solution solution = new Solution();
		int length=ito.length;
		boolean rtn;
		for(int i=0;i

解法1(成功,436ms,超慢)

建立一个长度与数组相同的boolean数组,令头部为true,然后从第一个开始,如果这个为true,说明能到这一个台阶,然后将这个台阶能挑到的所有台阶,在数组中标为true,最后,如果最后一个为true,说明能到达

package pid055;

import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.HashMap;
import java.util.List;

public class Solution {
public boolean canJump(int[] nums) {
    int length=nums.length;
    if(length<=1){
    	return true;
    }
    boolean[] canReach=new boolean[length];
    canReach[0]=true;
    for(int i=0;i

解法2(成功,2ms)

只要用上界就行了

那么这道题的思路就是使用一个贪心法,使用一个步进指针,用一个上界指针。
每次遍历的时候,不停的更新上界指针的位置(也就是当前位置+当前可以跳到的位置),知道看你能遇到结尾吗?如果成功了,就范围true,没有就返回false

    public boolean canJump(int[] nums) {
        int length=nums.length;
        if(length==0||length==1){
        	return true;
        }
    	int max=0;
    	int i=0;
    	while(i=length-1){
        	return true;
        }        
    	return false;
    }

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

你可能感兴趣的:(算法-动态规划,leetcode-中等,leetcode)