鉴于[(02:00,7.5),(03:30,7.9),(04:00,8.0),(05:30,6.8),(10:00,9.01)]次和售价我们需要找到买卖的最佳时机以最大化利润。 //时间正在递增 //样本输出:05:30买入,10:00卖出,获利2.21
我已经编写了找到最大利润的逻辑,但我还需要找到最佳的买卖时间,所以我有点卡在那里
double profit(double prices[])
{
double maxprofit=0;
for(int i=0;i<price.length;i++)
{
double min= values[i];
for(int j=i+1;j<price.length;j++)
{
if(price[j]<price[min])
min=values[min];
}
profit=values[i]-min;
if(maxprofit<profit)
maxprofit=profit;
else
continue;
}
答案 0 :(得分:2)
没有必要使用嵌套循环,有一个线性时间算法可以解决这个问题。
对算法here进行了非常详细的解释。
以下是修改代码的方法:
public double maxProfit(double[] prices) {
if (prices.length <= 1) return 0;
double minPrice = prices[0];
double maxSoFar = Integer.MIN_VALUE;
double profitSoFar = Integer.MIN_VALUE;
for (int i = 1; i < prices.length; i++){
profitSoFar = prices[i] - minPrice;
minPrice = Math.min(minPrice, prices[i]);
maxSoFar = Math.max(profitSoFar, maxSoFar);
}
return Math.max(maxSoFar, 0);
}