1. 程式人生 > >leetcode121 python 買賣股票的最佳時機

leetcode121 python 買賣股票的最佳時機

給定一個數組,它的第 i 個元素是一支給定股票第 i 天的價格。

如果你最多隻允許完成一筆交易(即買入和賣出一支股票),設計一個演算法來計算你所能獲取的最大利潤。

注意你不能在買入股票前賣出股票。

示例 1:

輸入: [7,1,5,3,6,4]
輸出: 5
解釋: 在第 2 天(股票價格 = 1)的時候買入,在第 5 天(股票價格 = 6)的時候賣出,最大利潤 = 6-1 = 5 。
     注意利潤不能是 7-1 = 6, 因為賣出價格需要大於買入價格。

示例 2:

輸入: [7,6,4,3,1]
輸出: 0
解釋: 在這種情況下, 沒有交易完成, 所以最大利潤為 0。

常規思路出錯

python程式碼

class Solution:
    def maxProfit(self, prices):
        """
        :type prices: List[int]
        :rtype: int
        """
        length=len(prices)
        max=0
        for i in range(length):
            for j in range(i):
                if prices[i]-prices[j]>max:
                    max=prices[i]-prices[j]
        return max

另一種解法

class Solution:
    def maxProfit(self, prices):
        """
        :type prices: List[int]
        :rtype: int
        """
        if not prices:#為空時返回0
            return 0
        maxProfit=0#最大值至少為0
        minPurchase=prices[0]#初始化最小購買值
        for price in prices:
            maxProfit=max(maxProfit,price-minPurchase)#最大利潤為當前值與最小購買值之差和maxProfit的比較
            minPurchase=min(price,minPurchase)#最小購買值為當前值與minPurchase之間的比較
        return maxProfit