欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

[递归,模拟]55. 跳跃游戏

程序员文章站 2022-04-05 15:45:24
...

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

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

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

[递归,模拟]55. 跳跃游戏

方法一:递归

class Solution {
    public boolean canJump(int[] nums) {
        return helper(nums,nums.length - 1);
    }
    private boolean helper(int[] nums,int cur){
        if(cur == 0) return true;
        for(int i = 0 ;i < cur;i++){
             if(nums[i] >= cur - i){
                if(helper(nums,i))
                    return true;
            }
        }
        return false;
    }

    public static void main(String[] args) {
        int[] nums = {3,2,1,0,4};
        System.out.println(new Solution().canJump(nums));
    }
}

方法二:试探,

解题思路:
如果某一个作为 起跳点 的格子可以跳跃的距离是 3,那么表示后面 3 个格子都可以作为 起跳点。

可以对每一个能作为 起跳点 的格子都尝试跳一次,把 能跳到最远的距离 不断更新。

如果可以一直跳到最后,就成功了。

class Solution {
    public boolean canJump(int[] nums) {
       int k = 0;
        for (int i = 0; i < nums.length; i++)
        {
            if (i > k) return false;
            k = Math.max(k, i + nums[i]);
        }
	    return true;
    }
   
}


相关标签: leetcode解题