Leetcode 每日算法一題*****#121. 買賣股票的最佳時機

Question:java

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

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

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

示例 1:code

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

示例 2:it

輸入: [7,6,4,3,1]
輸出: 0
解釋: 在這種狀況下, 沒有交易完成, 因此最大利潤爲 0。

 

Answer:io

class Solution {
    public int maxProfit(int[] prices) {
        int result = 0;
        if (prices.length > 0) {
            for (int i = 0; i < prices.length; i++) {
                for (int j = i + 1; j < prices.length; j++) {
                    int tmp = prices[j] - prices[i];
                    if ( tmp > result) {
                        result = tmp;
                    }
                }
            }
        }
        return result;
    }
}

運行速度最快解法參考:class

class Solution {
    public int maxProfit(int[] prices) {
        if(prices.length<2)
            return 0;
        int min=prices[0];
        int max=0;
        for(int i=0;i<prices.length;i++){
            if(min>prices[i]) min=prices[i];
            max=Math.max(max,prices[i]-min);
        }
        return max;
    }
}
相關文章
相關標籤/搜索