题目描述:
给定一个数组 prices ,它的第 i 个元素 prices[i] 表示一支给定股票第 i 天的价格。
你只能选择 某一天 买入这只股票,并选择在 未来的某一个不同的日子 卖出该股票。设计一个算法来计算你所能获取的最大利润。
返回你可以从这笔交易中获取的最大利润。如果你不能获取任何利润,返回 0 。
示例1:
思路:动态规划。与之前求最大子序和类似,该题是求最大的差。
class Solution(object):
def maxProfit(self, prices):
"""
:type prices: List[int]
:rtype: int
"""
flag = 0
profit = 0
if len(prices) <= 1:
return 0
for i in range(1, len(prices)):
if prices[i] - prices[flag] < 0:
flag = i
else:
if prices[i] - prices[flag] > profit:
profit = prices[i] - prices[flag]
if profit == 0:
return 0
return profit