Jump Game解题报告

作者: 黑山老水 | 来源:发表于2017-06-17 05:44 被阅读75次

Description:

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.

Example:

A = [2,3,1,1,4], return true.

A = [3,2,1,0,4], return false.

Link:

http://www.lintcode.com/en/problem/jump-game/

题目意思:

给出一个数组,每个位置的值表示从此处位置可以向后跳几步,判断能否跳到最后一步。

解题方法:

解法1:DP
创建一个size为n的bool数组dp,表示每个位置是否能跳到。从1n-1位置分别从后(从i-1)向前查(到0)找以判断i位置能否到达,判断方程为:dp[j] && A[j] >= i-j。如果可以,则将dp[i]设为true,否则为false;

解法2:greedy
思想很简单,从前往后遍历数组,记录当前能跳到的最远位置int far,当有在far之前的位置(i <= far)能够跳到比far还远的时候(A[i] + i >= far),就更新far,最后比较far和终点的远近。

Tips:

使用DP解法时可能会超时,但是当出现一个false时就可以直接返回false,因为当终点前一步都不能走到时,终点当然也不可能走到。

Time Complexity:

DP: O(N^2)
Greedy: O(N)

完整代码:

DP
bool canJump(vector<int> A) { vector<bool> reach(A.size(), false); reach[0] = true; for(int i = 1; i < A.size(); i++) { for(int j = i-1; j >= 0; j--) { if(reach[j] && A[j] >= i-j) { reach[i] = true; break; } } if(!reach[i]) return false; } return reach[A.size() - 1];
Greedy
bool canJump(vector<int> A) { if(A.size() == 0) return false; int far = A[0]; for(int i = 1; i < A.size(); i++) if(i <= far && A[i] + i >= far) far = A[i] + i; return far >= A.size() - 1; }

相关文章

  • Jump Game解题报告

    Description: Given an array of non-negative integers, you...

  • 55. Jump Game

    题目链接 https://leetcode.com/problems/jump-game/ 解题思路 贪心求解。 代码

  • LeetCode55. Jump Game

    1、题目链接 https://leetcode.com/problems/jump-game/ 2、解题思路 首先...

  • 45.跳跃游戏 II

    原题 https://leetcode-cn.com/problems/jump-game-ii/ 解题思路 使用...

  • [DP]45. Jump Game II

    前篇 55. Jump Game 45. Jump Game II 感谢Jason_Yuan大神优秀的解析:链接 ...

  • Custer Jump

    Custer Jump is a jumping game, you will love this game. T...

  • Jump Game

    这道题有点像大富翁呀,题意也很简单明确,就不解释了。我首先想到的就是用迭代遍历硬杠它。从最大值开始跳,每个位置都是...

  • Jump Game

    Jump Game 题目分析:找出能够到达的最远距离是否能到最后一个索引。我的想法是从第一个开始,不断更新最长到达...

  • Jump Game

    Jump Game 今天是一道有关贪婪算法的题目,来自LeetCode#55,难度为Medium,Acceptan...

  • Jump Game

    https://leetcode.com/problems/jump-game-ii/给定一个数组nums,数组内...

网友评论

    本文标题:Jump Game解题报告

    本文链接:https://www.haomeiwen.com/subject/tqjvqxtx.html