题目:
给定一个数组,它的第 i 个元素是一支给定股票第 i 天的价格。 设计一个算法来计算你所能获取的最大利润。你可以尽可能地完成更多的交易(多次买卖一支股票)。 注意:你不能同时参与多笔交易(你必须在再次购买前出售掉之前的股票)。
思路:
动态规划
在某教育科技公司面试时做过,笔试两轮结束后,问做过的项目,我是做大数据的,面试官说该公司招图像和NLP的,气氛很尴尬,希望以后人力可以多张点心,不要整这种费时间费力的事情了。
class Solution:
def maxProfit(self, prices: List[int]) -> int:
length = len(prices)
if length <= 1:
return 0
buy = prices[0]
auxiliary = [0] * length
for index in range(1, length):
if prices[index - 1] >= prices[index]:
buy = min(buy, prices[index])
auxiliary[index] = auxiliary[index - 1]
continue
else:
auxiliary[index] = auxiliary[index - 1] + (prices[index] - prices[index - 1])
result = auxiliary[length - 1]
return result