122.买卖股票的最佳时机II
题目链接:122.买卖股票的最佳时机II
文章讲解:代码随想录|122.买卖股票的最佳时机II
思路
只要今天的利润是正的,就可以收集到最大利润中去
局部最优:收集每天的正利润,全局最优:求得最大利润。
代码
class Solution {
public:
int maxProfit(vector<int>& prices) {
int result = 0;
for (int i = 1; i < prices.size(); i++) {
result += max(prices[i] - prices[i - 1], 0);
}
return result;
}
55. 跳跃游戏
题目链接:55. 跳跃游戏
文章讲解:代码随想录|55. 跳跃游戏
思路
关键在于可跳的最远位置,从当前位置遍历到最远位置,不断更新最远位置,如果超过了最后一个位置,就返回true
代码
class Solution {
public:
bool canJump(vector<int>& nums) {
int max_pos = 0;
for(int i = 0; i <= max_pos; i++){
max_pos = max(i + nums[i], max_pos);
if(max_pos >= nums.size() - 1) return true;
}
return false;
}
};
45.跳跃游戏II
题目链接:45.跳跃游戏II
文章讲解:代码随想录|45.跳跃游戏II
思路
对于当前元素到其能跳到的最远元素curMaxPos,找到这些元素能跳到的最远元素nextMaxPos,如果遍历到curMaxPos时,nextMaxPos还没有到nums.size() - 1,说明还需要进行跳跃,继续往下遍历,否则终止遍历返回结果
代码
class Solution {
public:
int jump(vector<int>& nums) {
if (nums.size() == 1) return 0;
int curDistance = 0; // 当前覆盖最远距离下标
int ans = 0; // 记录走的最大步数
int nextDistance = 0; // 下一步覆盖最远距离下标
for (int i = 0; i < nums.size(); i++) {
nextDistance = max(nums[i] + i, nextDistance); // 更新下一步覆盖最远距离下标
if (i == curDistance) { // 遇到当前覆盖最远距离下标
ans++; // 需要走下一步
curDistance = nextDistance; // 更新当前覆盖最远距离下标(相当于加油了)
if (nextDistance >= nums.size() - 1) break; // 当前覆盖最远距到达集合终点,不用做ans++操作了,直接结束
}
}
return ans;
}
};