55. 跳跃游戏:
给定一个非负整数数组 nums
,你最初位于数组的 第一个下标 。
数组中的每个元素代表你在该位置可以跳跃的最大长度。
判断你是否能够到达最后一个下标。文章来源:https://www.toymoban.com/news/detail-480492.html
样例 1:
输入:
nums = [2,3,1,1,4]
输出:
true
解释:
可以先跳 1 步,从下标 0 到达下标 1, 然后再从下标 1 跳 3 步到达最后一个下标。
样例 2:
输入:
nums = [3,2,1,0,4]
输出:
false
解释:
无论怎样,总会到达下标为 3 的位置。但该下标的最大跳跃长度是 0 , 所以永远不可能到达最后一个下标。
提示:
- 1 <= nums.length <= 3 * 104
- 0 <= nums[i] <= 105
分析:
- 面对这道算法题目,二当家的再次陷入了沉思。
- 可能想到要暴力尝试或者是双循环,这是效率最低的方式。
- 其实我们每一步最远能跳到多远是知道的,当前位置 加上 在该位置可以跳跃的最大长度 就是从当前位置能跳到的最远位置,我们用一个变量存储我们可以跳到的最远位置,一边遍历一边更新可以跳到的最远位置,而最远位置之前的位置都是我们可以到达的位置,这样只需要一次遍历,只要能跳到的最远位置可以到达最后位置就是结果,即贪心,尽可能往远跳。
- 另外,其实可以逆向思考,什么情况下会无法跳到最后位置,一定某个位置是0(否则就算全是1也可以慢慢到达末尾),并且前面的位置跳不过这个0,应该说,前面能跳到的最远位置就是落在这个0上,只有这种情况下才会导致无法到达最后位置,相当于0就是个坑,就是个陷阱,进去就出不来,如果跳的不够远,这里就是无法逾越的鸿沟,进得去出不来,因为0就表示只能原地跳,所以这个位置就是个不归路,就是个异常,就是个bug,这样说应该能理解,清楚,明白了吧。
- 另外最后一个位置的数字是没有用的,到最后一个位置就已经可以了。
题解:
rust:
impl Solution {
pub fn can_jump(nums: Vec<i32>) -> bool {
let n = nums.len();
let mut right_most = 0usize;
for (i, v) in nums.into_iter().enumerate() {
if i <= right_most {
// 最远能跳到哪里
right_most = right_most.max(i + v as usize);
if right_most >= n - 1 {
return true;
}
}
}
return false;
}
}
go:
func canJump(nums []int) bool {
n := len(nums)
rightMost := 0
for i, v := range nums {
if i <= rightMost {
// 最远能跳到哪里
if rightMost < i+v {
rightMost = i + v
}
if rightMost >= n-1 {
return true
}
}
}
return false
}
c++:
class Solution {
public:
bool canJump(vector<int>& nums) {
const int n = nums.size();
int rightMost = 0;
for (int i = 0; i < n; ++i) {
if (i <= rightMost) {
rightMost = max(rightMost, i + nums[i]);
if (rightMost >= n - 1) {
return true;
}
}
}
return false;
}
};
python:
class Solution:
def canJump(self, nums: List[int]) -> bool:
n, right_most = len(nums), 0
for i in range(n):
if i <= right_most:
right_most = max(right_most, i + nums[i])
if right_most >= n - 1:
return True
return False
java:
class Solution {
public boolean canJump(int[] nums) {
final int n = nums.length;
int rightMost = 0;
for (int i = 0; i < n; ++i) {
if (i <= rightMost) {
rightMost = Math.max(rightMost, i + nums[i]);
if (rightMost >= n - 1) {
return true;
}
}
}
return false;
}
}
非常感谢你阅读本文~
欢迎【点赞】【收藏】【评论】~
放弃不难,但坚持一定很酷~
希望我们大家都能每天进步一点点~
本文由 二当家的白帽子:https://le-yi.blog.csdn.net/ 博客原创~文章来源地址https://www.toymoban.com/news/detail-480492.html
到了这里,关于算法leetcode|55. 跳跃游戏(rust重拳出击)的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!