LeetCode121 买卖股票的时机

Posted 归止于飞

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode121 买卖股票的时机相关的知识,希望对你有一定的参考价值。

给定一个数组 prices ,它的第 i 个元素 prices[i] 表示一支给定股票第 i 天的价格。

你只能选择 某一天 买入这只股票,并选择在 未来的某一个不同的日子 卖出该股票。设计一个算法来计算你所能获取的最大利润。

返回你可以从这笔交易中获取的最大利润。如果你不能获取任何利润,返回 0 。

方法1 暴力法

利用暴力破解法,使用嵌套循环进行遍历。

class Solution

public:
    int maxProfit(vector<int> &prices)
    
        int ans = 0;
        int n = prices.size();
        for (int i = 0; i < n; i++)
        
            for (int j = i + 1; j < n; j++)
            
                int temp = prices[j] - prices[i];
                if (temp > ans)
                
                    ans = temp;
                
                /*代码可以简化为
                	ans = max(ans, prices[j] - prices[i]);
                */
            
        
        return ans;
    
;

然而当数组过大时,会超出时间限制。

方法2 遍历法

class Solution 
public:
    int maxProfit(vector<int>& prices) 
        int inf = 1e9;
        int minprice = inf, maxprofit = 0;
        for (int price: prices) 
            maxprofit = max(maxprofit, price - minprice);
            minprice = min(price, minprice);
        
        return maxprofit;
    
;

此时,只需要遍历一次,原理在于遍历时同时记录了最低的价格与最高的利润。而利润即是价格差,每次记录了最低价格后,往后寻找最大价格差,然后再找到更低价格,再尝试寻找价格差。

以上是关于LeetCode121 买卖股票的时机的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode 121. 买卖股票的最佳时机

[JavaScript 刷题] DP - 买卖股票的最佳时机,leetcode 121

leetcode121 买卖股票的最佳时机(Easy)

[JavaScript 刷题] DP - 买卖股票的最佳时机,leetcode 121

Leetcode 121.买卖股票的最佳时机

LeetCode第121题—买卖股票的最佳时机—Python实现