122. Best Time to Buy and Sell Stock II

Posted on Aug 4, 2024

Solution 1

使用貪婪演算法 (Greedy),在迭代整個 Array 過程中,

  1. 如果數字 prices[i] 小於 prices[i-1] ,更新 lowestPrice
  2. 如果數字 prices[i] 大於 prices[i-1] ,將目前和 lowestPrice 的差加進 maxProfit,並更新 lowestPrice

Example 1-1

iprices[i]lowestPricemaxProfit
0770
1110
2550 + (5 - 1) = 4
3334
4664 + (6 - 3) = 7
5447

Implementation

class Solution {
    fun maxProfit(prices: IntArray): Int {
        var lowestPrice = prices[0]
        var currentMaxProfit = 0

        for (i in 0 until prices.size) {
            if (prices[i] < lowestPrice) {
                lowestPrice = prices[i]
            } else if (prices[i] > lowestPrice) {
                currentMaxProfit += prices[i] - lowestPrice
                lowestPrice = prices[i]
            }
        }

        return currentMaxProfit
    }
}

Solution 2

以上的 Greedy 可以進行常數優化。

先將 prices 進行差分運算,計算出相鄰兩個數字 prices[i]prices[i-1] 相減後,將相差 > 0 的值相加即為解答。

Example 2-1

  • 輸入:[7, 1, 5, 3, 6, 4]
  • 進行差分計算:[-6, 4, -2, 3, -2]
  • 把數值為正相加:4 + 3 = 7

Implementation

class Solution {
    fun maxProfit(prices: IntArray): Int {
        var maxProfit = 0
        for (i in 1 until prices.size) {
            maxProfit += max(prices[i] - prices[i-1], 0)
        }
        return maxProfit
    }
}