PisecesPeng / PisecesPeng.record.me

:beach_umbrella: All things are difficult before they are easy
MIT License
3 stars 1 forks source link

买卖股票的最佳时机 #27

Closed PisecesPeng closed 3 years ago

PisecesPeng commented 3 years ago

买卖股票的最佳时期

给定一个数组, 它的第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.


题目地址: https://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock/

PisecesPeng commented 3 years ago

解题思路

代码

private static int func(int[] ints) {
    int min = Integer.MAX_VALUE, max = Integer.MIN_VALUE;
    int result = 0;
    for (int i = 0; i < ints.length; i++) {
        int v = ints[i];
        // 判定最大最小值
        if (min > v) {
            min = v;
            max = min;  // 最小值刷新时, 重制最大值
        } else if (max < v) {
            max = v;
            result = (result < (max - min)) ? (max - min) : result;  // 最大值刷新时, 重新判断最大利润
        }
    }
    return result;
}
PisecesPeng commented 3 years ago

LeetCode题解

解题思路

代码

public static int func(int prices[]) {
    int maxprofit = 0;
    for (int i = 0; i < prices.length - 1; i++) {
        for (int j = i + 1; j < prices.length; j++) {
            int profit = prices[j] - prices[i];
            if (profit > maxprofit) {
                maxprofit = profit;
            }
        }
    }
    return maxprofit;
}
PisecesPeng commented 3 years ago

LeetCode题解

解题思路

代码

public static int func(int prices[]) {
    int minprice = Integer.MAX_VALUE;
    int maxprofit = 0;
    for (int i = 0; i < prices.length; i++) {
        if (prices[i] < minprice) {
            minprice = prices[i];
        } else if (prices[i] - minprice > maxprofit) {
            maxprofit = prices[i] - minprice;
        }
    }
    return maxprofit;
}