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. 跳跃游戏
跳几步重要,考虑最大的跳跃范围即可,动态更新for循环的范围,直到覆盖到(大于等于)数组长度返回true,或者覆盖不住(也不会越界)返回false。
class Solution {
public:
    bool canJump(vector<int>& nums) {
        int cover = 0;
        if (nums.size() == 1) return true;
        for (int i = 0; i <= cover; i++) {
            cover = max(cover, i + nums[i]);
            if (cover >= nums.size() - 1) return true;
        }
        return false;
    }
};
45.跳跃游戏II
当前范围不够才走下一步,尽量少跳,注意和上一题区别,现在下标的范围不是[0,cover],遍历原数组大小下标,因为一定可以到达。
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) {
                if (curDistance != nums.size() - 1) {
                    ans++;
                    curDistance = nextDistance;
                }
                if (nextDistance >= nums.size() - 1) break;
            }
        }
        return ans;
    }
};
二刷看看版本2。

 京公网安备 11010502036488号
京公网安备 11010502036488号