考点:本题考查抽象建模能力
题目描述:
假设把某股票的价格按照时间先后顺序存储在数组中,请问买卖该股票一次可能获得的最大利润是多少?
输入: [7,1,5,3,6,4]
输出: 5
解释: 在第 2 天(股票价格 = 1)的时候买入,在第 5 天(股票价格 = 6)的时候卖出,最大利润 = 6-1 = 5 。
注意利润不能是 7-1 = 6, 因为卖出价格需要大于买入价格
思路:
使用一个变量currentPrice存储最便宜的股票价格,遍历数组,如果遇到更便宜的股票,更新currentPrice的值。如果当前股票更贵,计算此时的利润并和之前存储的利润比较。
class Solution {
public int maxProfit(int[] prices) {
if(prices.length == 0 || prices == null)
return 0;
int profit = 0; //初始利润
int currentPrice = prices[0]; //当前股票价格
for(int i = 1; i < prices.length; i++) {
if(currentPrice > prices[i]) {
currentPrice = prices[i];
}else {
int currentProfit = prices[i] - currentPrice;//当前利润
if(currentProfit > profit) {
profit = currentProfit;
}
}
}
return profit;
}
}
网友评论