LeetCode 309. Best Time to Buy and Sell Stock with Cooldown (stock problem)

Say you have an array for which the ith element is the price of a given stock on day i.

Design an algorithm to find the maximum profit. You may complete as many transactions as you like (ie, buy one and sell one share of the stock multiple times) with the following restrictions:

You may not engage in multiple transactions at the same time (ie, you must sell the stock before you buy again).
After you sell your stock, you cannot buy stock on next day. (ie, cooldown 1 day)

Example:

prices = [1, 2, 3, 0, 2]
maxProfit = 3
transactions = [buy, sell, cooldown, buy, sell]

stock problem交易次数无限模型加上冷却条件,
T[i][0]=max(T[i-1][0],T[i-1][1]+prices[i]);
T[i][1]=max(T[i-1][1],T[i-2][0]-prices[i]);

const int inf=-999999;
class Solution {
public:
    int maxProfit(vector<int>& prices) {
        int sell=0,buy=inf,pre=0,last;
        for(int i=0;i<prices.size();i++){
            last=sell;
            sell=max(sell,buy+prices[i]);
            buy=max(buy,pre-prices[i]);
            pre=last;
        }
        return sell;
    }
};

原文地址:https://www.cnblogs.com/A-Little-Nut/p/10061085.html