1、解题思路
- 一次遍历法:遍历数组,记录当前遇到的最小价格(买入价格)。计算当前价格与最小价格的差值(当前利润),并更新最大利润。如果当前价格比最小价格还小,更新最小价格(因为后续卖出必须在买入之后)。最终的最大利润即为答案。
- 关键点:买入必须在卖出之前。只需要一次遍历,时间复杂度 O(n)。使用常数空间,空间复杂度 O(1)。
2、代码实现
C++
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param prices int整型vector
* @return int整型
*/
int maxProfit(vector<int>& prices) {
// write code here
if (prices.empty()) {
return 0;
}
int minPrice = prices[0];
int maxProfit = 0;
for (int price : prices) {
if (price < minPrice) {
minPrice = price;
} else {
maxProfit = max(maxProfit, price - minPrice);
}
}
return maxProfit;
}
};
Java
import java.util.*;
public class Solution {
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param prices int整型一维数组
* @return int整型
*/
public int maxProfit (int[] prices) {
// write code here
if (prices.length == 0) return 0;
int minPrice = prices[0];
int maxProfit = 0;
for (int price : prices) {
if (price < minPrice) {
minPrice = price;
} else {
maxProfit = Math.max(maxProfit, price - minPrice);
}
}
return maxProfit;
}
}
Python
#
# 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
#
#
# @param prices int整型一维数组
# @return int整型
#
class Solution:
def maxProfit(self , prices: List[int]) -> int:
# write code here
if not prices:
return 0
min_price = prices[0]
max_profit = 0
for price in prices:
if price < min_price:
min_price = price
else:
max_profit = max(max_profit, price - min_price)
return max_profit
3、复杂度分析