题目:
给定一个数组 prices ,它的第 i 个元素 prices[i] 表示一支给定股票第 i 天的价格。
你只能选择某一天买入这只股票,并选择在未来的某一个不同的日子卖出该股票。设计一个算法来计算你所能获取的最大利润。
返回你可以从这笔交易中获取的最大利润。如果你不能获取任何利润,返回 0 。
参考答案1:------优秀的答案,简单易懂,效率高。
def maxProfit(self, prices: List[int]) -> int:
minprice = float('inf')
maxprofit = 0
for price in prices:
minprice = min(minprice, price)
maxprofit = max(maxprofit, price - minprice)
return maxprofit
本人的绝佳l烂代码1:------虽然写出来了,但是当列表元素过多时,效率明显非常低。
def maxProfit(prices) -> int:
profit = 0
if prices:
for index, value in enumerate(prices):
# print("prices =", prices, index, value)
if index == len(prices) - 1:
break
temp = max(prices[index+1:]) - value
temp = temp if temp > 0 else 0
profit = max(temp, profit)
print("profit =", profit)
return profit
网友评论