题目地址
https://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock
题目描述
代码初步
自己的思路还是停留在暴力破解上,暴力破解需要的时间复杂度为O(n^2), 空间复杂度:O(1)。只使用了一个变量。当码好暴力破解python版代码时,兴匆匆的跑去提交,最后宣告超时。
class Solution(object):
def maxProfit(self, prices):
"""
:type prices: List[int]
:rtype: int
"""
"""找到给定数组中的最大差值,并且第二个数字(卖出价格)必须大于第一个数字(买入价格)"""
maxPrice = 0
for index in range(len(prices)-1):
for i in range(index+1,len(prices)):
if prices[i] - prices[index]>maxPrice:
maxPrice = prices[i] - prices[index]
return maxPrice
代码欣赏
- 思路:一次遍历。
- 算法
假设给定的数组为:[7, 1, 5, 3, 6, 4]
如果我们在图表上绘制给定数组中的数字,我们将会得到:
使我们感兴趣的点是上图中的峰和谷。我们需要找到最小的谷之后的最大的峰。 我们可以维持两个变量——minprice 和 maxprofit,它们分别对应迄今为止所得到的最小的谷值和最大的利润(卖出价格与最低价格之间的最大差值)
class Solution(object):
def maxProfit(self, prices):
"""
:type prices: List[int]
:rtype: int
"""
"""找到给定数组中的最大差值,并且第二个数字(卖出价格)必须大于第一个数字(买入价格)"""
if len(prices)==0:
return 0
minPrice = prices[0]
maxPrice = 0
for i in range(1,len(prices)):
minPrice = min(minPrice,prices[i])
p = prices[i]-minPrice
maxPrice = max(p,maxPrice)
return maxPrice