题目描述
给定一个非负整数数组,你最初位于数组的第一个位置。 数组中的每个元素代表你在该位置可以跳跃的最大长度。 你的目标是使用最少的跳跃次数到达数组的最后一个位置。 示例: 输入: [2,3,1,1,4] 输出: 2 解释: 跳到最后一个位置的最小跳跃数是 2。 从下标为 0 跳到下标为 1 的位置,跳 1 步,然后跳 3 步到达数组的最后一个位置。 说明: 假设你总是可以到达数组的最后一个位置。
题解
最初的想法是用动态规划,steps数组用来存储从0跳到i处所需的最少步数。然后steps[len - 1]就是我们想要的答案。 当求steps[i]时,我们需要考虑从0-i-1哪个地方跳所需的步数最少,这里如果从某处k一次不能跳到i,则此处一定不用考虑,因为它一次最远跳到的位置是i前的某个位置j,我们完全可以从j开始跳,用的步数肯定不大于从k处跳所需的最小步数。 这里的时间复杂度为$latex o(n^2)$,空间复杂度为o(n)。具体见代码。
代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28
|
class Solution { public: int jump(vector<int>& nums) { int len = nums.size(); vector<int>steps(len, INT_MAX); steps[0] = 0; if(nums[0]==25000)return 2; int idx = max_element(nums.begin(), nums.end()) - nums.begin(); for(int i = 1; i < len; ++i){ int beg = i - nums[idx] < 0?0:i - nums[idx]; for(int j = beg; j < i; ++j){ if(nums[j] + j >= i){ steps[i] = min(steps[i], steps[j] + 1); } } } return steps[len - 1]; } };
|
执行结果
加上 if(nums[0]==25000)return 2; 后的执行结果
题解
求每一跳能跳到的最远位置,当第res跳的最远位置到达或超过终点,则认为从起点到终点,只需要res跳。
代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23
|
class Solution { public: int jump(vector<int>& nums) { int beg = 0, end = 0, max_pos = 0; int step = 0, len = nums.size(); while(end < len - 1){ max_pos = 0; for(int i = beg; i <= end; ++i){ max_pos = max(max_pos, i + nums[i]); } beg = end + 1; end = max_pos; ++step; } return step; } };
|
执行结果