博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
LeetCode 55. Jump Game I / II
阅读量:5945 次
发布时间:2019-06-19

本文共 2112 字,大约阅读时间需要 7 分钟。

一开始用bfs做,memory不够,估计用dfs可以做。既然可以dfs来做,而且不需要保存路径等信息,肯定可以用dp来做。

 

方法一:DP

时间复杂度O(n^2)

class Solution {public:    bool canJump(vector
& nums) { vector
dp(nums.size(),false); dp[0] = true; for (int i=0;i

 

方法二:Greedy

久违的贪心问题,其实我们只关心最大能跳到的距离, 因此可以用贪心来做。

时间复杂度O(n)

class Solution {public:    bool canJump(vector
& nums) { int max_index=0; for (int i=0;i
max_index) return false; if (i+nums[i]>max_index){ max_index = max(max_index,i+nums[i]); if (max_index>=nums.size()-1) return true; } } return max_index>=nums.size()-1; }};

 

45. Jump Game II

用DP竟然超时了 = =

class Solution {public:    int jump(vector
& nums) { vector
dp(nums.size(),INT_MAX); dp[0] = 0; for (int i=0;i

 

只能用贪心做,但是不能简单的选择最大的。

如果当前能到达的范围为 [start, end],那么在这个范围内寻找能够调到最远的下标 max_end,那么跳跃以后新的范围就变成了 [end+1, max_end]

下面代码里start是多余的,而且还需要注意,循环里 i<nums.size()-1,因为i==nums.size()的时候

class Solution {public:    int jump(vector
& nums) { int cnt=0; int start=0, end=0, max_end=0; // cur scope is [start,end], then will be [end+1,max_end] for (int i=0;i
end) return -1; max_end = max(max_end,i+nums[i]); //update the max_end that can be reached by cur scope if (i==end){ // jump to a new scope start = end+1; end = max_end; ++cnt; //if (end>=nums.size()-1) break; } } return cnt; }};

 

另一种写法,思路是一样的

class Solution {public:    int jump(vector
& nums) { int cnt=0; int start=0, end=0; // cur scope is [start,end], then will be [end+1,max_end] while (end
=nums.size()-1) return cnt; max_end = max(max_end, i+nums[i]); } start = end+1; end = max_end; } return cnt; }};

 

转载于:https://www.cnblogs.com/hankunyan/p/9595925.html

你可能感兴趣的文章
(二)神经网络入门之Logistic回归(分类问题)
查看>>
秒杀流量控制的执行方案
查看>>
[译][摘录]HEVC编码中的多视域和3D扩展,第四部分:3D-HEVC编码技术
查看>>
BEM命名 css模块化解决方案
查看>>
使用Tower克隆gitLab项目
查看>>
前端js压缩图片并上传
查看>>
我的Java设计模式-工厂方法模式
查看>>
线程存储简介
查看>>
WEEX系列 我的第一个WEEX DEMO
查看>>
Deploy NodeJS Docker to QiO Edge Cloud using Kubernetes
查看>>
【Hadoop学习】HDFS基本原理
查看>>
关于解决IE8以下版本获取DOM节点的方法
查看>>
vue学习笔记(二)
查看>>
Flask四之模板
查看>>
要不, 我们从右往左书写数组?
查看>>
我的面试准备过程--LeetCode(更新中)
查看>>
【145天】尚学堂高淇Java300集视频精华笔记(103-104)
查看>>
如何在 React Native 中写一个自定义模块
查看>>
SegmentFault 2017 年社区周报 Vol.5
查看>>
JS用原型对象写的贪吃蛇,很粗糙的代码
查看>>