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]
Credits:
Special thanks to @dietpepsi for adding this problem and creating all test cases.
Subscribe to see which companies asked this question
引入辅助数组
sells和
buys
sells[i]表示在第i天不持有股票所能获得的最大累计收益 buys[i]表示在第i天持有股票所能获得的最大累计收益 初始化数组: sells[0] = 0 sells[1] = max(0, prices[1] - prices[0]) buys[0] = -prices[0] buys[1] = max(-prices[0], -prices[1])
状态转移方程:
sells[i] = max(sells[i - 1], buys[i - 1] + prices[i]) buys[i] = max(buys[i - 1], sells[i - 2] - prices[i])
所求最大收益为
sells[-1]
class Solution(object):
def maxProfit(self, prices):
p = prices
l = len(p)
if l < 2:
return 0
hold = [0] * l
sell = [0] * l
hold[0] = p[0]
hold[1] = max(-p[0],-p[1])
sell[0] = 0
sell[1] = max(0,p[1] - p[0])
for i in xrange(2,l):
#print i
sell[i] = max(hold[i-1] + p[i], sell[i-1])
hold[i] = max(sell[i-2] - p[i], hold[i-1])
return sell[-1]

本文介绍了一种针对股票交易的算法设计,允许多次买卖但需遵循特定限制条件,如不能同时进行多笔交易及卖出后需冷却一天才能再次购买。通过状态转移方程实现,最终求得最大累积收益。
679

被折叠的 条评论
为什么被折叠?



