利用动态规划的思想,题目在leetcode
要考虑的情况:

  • 股票价格数组只有1个数字或者是空的
  • 股票价格递减,也就是不会有利润
    class Solution:
      def maxProfit(self, prices: List[int]) -> int:
          if len(prices) < 2:
              return 0
          maxprofit = 0
          lowest = prices[0]
          #固定卖出价格
          for i in range(1,len(prices)):
              #更新当前最大利润
              maxprofit = max(maxprofit, prices[i]-lowest)
              #更新当前最低买入价格
              lowest = min(lowest,prices[i])
          return maxprofit
    股票利润变形:

    输入: [7,1,5,3,6,4]
    输出: 7
    解释: 在第 2 天(股票价格 = 1)的时候买入,在第 3 天(股票价格 = 5)的时候卖出, 这笔交易所能获得利润 = 5-1 = 4 。
    随后,在第 4 天(股票价格 = 3)的时候买入,在第 5 天(股票价格 = 6)的时候卖出, 这笔交易所能获得利润 = 6-3 = 3

可以通过画图分析(图源于leetcodehttps://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock-ii/solution/mai-mai-gu-piao-de-zui-jia-shi-ji-ii-by-leetcode/):
图片说明
我们可以看成每天股票都在买卖,如果有一段股票价格一直上升,那么最大利润D=A+B+C,也就是每天买卖的利润加和,如果股票价格开始下落,那么就在局部最低处i-1买入,到了第二天i,股票价格自然是升高的,再卖出。总之,就是价格低了就买,价格高了就卖。

class Solution:
    def maxProfit(self, prices: List[int]) -> int:
        profit = 0
        for i in range(1,len(prices)):
            temp = prices[i] - prices[i-1] 
            if temp > 0:
                profit += temp
        return profit