问题:leetcode买卖股票系列问题,其余条件均与leetcode[122]Best Time to Buy and Sell Stock II一样,只是增加了一个条件,在卖出股票之后,要休息一天。[1]
输入:股票价格,数组存放每天的股价。
输出:通过买卖操作的最大收益。
主要思想:动态规划
最优子结构:
buy[i]表示 第i天之前,以买进操作结束的最大收益(不要求在第i天进行买进操作)
sell[i]表示 第i天之前,以卖出操作结束的最大收益(不要求在第i天进行卖出操作)
递推关系:
buy[i]=max(prev_sell - prices[i], buy[i-1]) //prev_sell为上次卖出后的资金结果。
sell[i]=max(prev_buy + prices[i], sell[i-1]) //prev_buy为上次买入后的资金结果。
本题并非自己思考出的,是参考了其他人的回答,详细可见[2]。
如果不明白,可以参考[3],采用own[i] 和 not own[i]的最优子结构,更容易理解。
class Solution {
public:
int maxProfit(vector<int>& prices) {
int buy = INT_MIN;
int sell = 0;
int prev_sell = 0;
int prev_buy;
for(int i=0;i<prices.size(); i++)
{
prev_buy = buy;
buy = max(prev_sell - prices[i], buy);
prev_sell = sell;
sell = max(prev_buy + prices[i], sell);
}
return sell;
}
};
- https://leetcode.com/problems/best-time-to-buy-and-sell-stock-with-cooldown/
- https://leetcode.com/problems/best-time-to-buy-and-sell-stock-with-cooldown/discuss/75927/Share-my-thinking-process
- https://leetcode.com/problems/best-time-to-buy-and-sell-stock-with-cooldown/discuss/181359/Python:-o(n)-time-and-o(1)-space_detailed-introduction-of-how-the-idea-was-built-essentially