1. 程式人生 > >Leetcode 121:買賣股票的最佳時機

Leetcode 121:買賣股票的最佳時機

原題:

給定一個數組,它的第 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。
解答:1. 我的程式碼---時間複雜度O(n^2)   這是最直觀的一種思路,也就是遍歷,找到最大的差就好了。   這裡需要注意的一點是對於陣列演算法題目,一定要先做如下判斷:
 if (prices == null || prices.length < 1) {
            return 0;
        }

class Solution {
    public int maxProfit(int[] prices) {
         if (prices == null || prices.length < 1) {
            return 0;
        }
        int bene = 0;
        for(int i = 0;i < prices.length;++i){
            for(int j = i + 1;j < prices.length;++j){
                if(prices[j] - prices[i] > bene)
                    bene = prices[j] - prices[i];
            }
        }
        return bene;
    }
}
2. 範例程式---時間複雜度O(n)    範例程式的min用來維護陣列中的最小值,max用來維護最大收益。只用一重迴圈就完成了功能,這裡min和max在一次遍歷中更新的思想還是很讚的,時間複雜度O(n)。
class Solution {
    public int maxProfit(int[] prices) {
         if (prices == null || prices.length < 1) {
            return 0;
        }
        int max = 0;    
        int min = prices[0];
        for(int i = 0; i <prices.length ; i++){
            if (prices[i] < min)
                min = prices[i];
            else{
                if(max < prices[i] - min)   
                max = prices[i] - min;
            }          
        }
        return max;       
    }   
}