博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
【Jump Game II 】cpp
阅读量:5941 次
发布时间:2019-06-19

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

题目:

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. 

Your goal is to reach the last index in the minimum number of jumps.

For example:

Given array A = [2,3,1,1,4]

The minimum number of jumps to reach the last index is 2. (Jump 1 step from index 0 to 1, then 3 steps to the last index.)

代码:

class Solution {public:    int jump(vector
& nums) { int max_jump=0, next_max_jump=0, min_step=0; for ( int i = 0; i<=max_jump; ++i ) { if ( max_jump>=nums.size()-1 ) break; if ( max_jump < i+nums[i] ) next_max_jump = std::max(next_max_jump, i+nums[i]); if ( i==max_jump ) { max_jump = next_max_jump; min_step++; } } return min_step; }};

tips:

参考的Greedy思路。

这道题要求求出所有可能到达路径中的最短步长,为了保持O(n)的解法继续用Greedy。

这道题的核心在于贪心维护两个变量:

max_jump:记录上一次跳跃能跳到最大的下标位置

next_max_jump:记录遍历所有max_jump之前的元素后,下一次可能跳到的最大下标位置

举例说明如下:

原始数组如右边所示:{7,0,9,6,9,6,1,7,9,0,1,2,9,0,3}

初始:max_jump=0 next_max_jump=0 min_step=1

i=0:next_max_jump=7  更新max_jump=7 更新min_step=1

i=1: 各个值不变

i=2: i+nums[i]=2+9=11>7 更新next_max_jump=11

i=3:i+nums[i]=3+6=9<11 不做更新

i=4: i+nums[i]=4+9=13>11 更新max_jump=13

...

i=7:i+nums[i]=7+7=14 >= nums.size()-1 返回min_step=2

完毕

==========================================

第二次过这道题,不太顺,大体复习了下思路。

class Solution {public:    int jump(vector
& nums) { if ( nums.size()==0 ) return 0; int ret = 0; int nextJump = 0; int maxLength = 0; for ( int i=0; i<=maxLength; ++i ) { if ( maxLength>=nums.size()-1 ) break; nextJump = std::max(i+nums[i], nextJump); if ( i==maxLength ) { maxLength = nextJump; ret++; } } return ret; }};

==========================================

第三次过这道题,把代码改了一行,但是整体结构清晰了不少。

class Solution {public:    int jump(vector
& nums) { if (nums.size()<2) return 0; int steps = 0; int local = 0; int next = local; for ( int i=0; i<=local; ++i ) { next = max(next, i+nums[i]); if ( i==local ) { steps++; local = next; if ( local>=nums.size()-1 ) return steps; } } return 0; }};

next只负责看下一跳能够到哪。

什么时候更新local了,再判断能否跳到尾部。

转载于:https://www.cnblogs.com/xbf9xbf/p/4539456.html

你可能感兴趣的文章
oracle exp/imp命令详解
查看>>
开发安全的 API 所需要核对的清单
查看>>
Mycat源码中的单例模式
查看>>
WPF Dispatcher介绍
查看>>
fiddler展示serverIP方法
查看>>
C语言中的随意跳转
查看>>
WPF中如何将ListViewItem双击事件绑定到Command
查看>>
《聚散两依依》
查看>>
小tips:你不知道的 npm init
查看>>
Mac笔记本中是用Idea开发工具在Java项目中调用python脚本遇到的环境变量问题解决...
查看>>
Jmeter也能IP欺骗!
查看>>
Rust 阴阳谜题,及纯基于代码的分析与化简
查看>>
ASP.NET Core的身份认证框架IdentityServer4(4)- 支持的规范
查看>>
(原創) array可以使用reference方式傳進function嗎? (C/C++)
查看>>
170多个Ionic Framework学习资源(转载)
查看>>
Azure:不能把同一个certificate同时用于Azure Management和RDP
查看>>
Directx11教程(15) D3D11管线(4)
查看>>
Microsoft Excel软件打开文件出现文件的格式与文件扩展名指定格式不一致?
查看>>
ios ble 参考
查看>>
linux中注册系统服务—service命令的原理通俗
查看>>