您的位置:首页 > 其它

股票,最大收益

2014-08-13 21:58 281 查看
题目:Say you have an array for which the ith element is the price of a given stock on day i.If you were only permitted to complete at most one transaction (ie, buy one and sell one share
of the stock), design an algorithm to find the maximum profit.

思路:只允许一次买卖。如果考虑先找一个极小值,再找一个极大值,极小值位于极大值的左边,比较困难。

可以换个思路,将股票的价格抽象为一个数组。从左到右扫这个数组,low保存最小值,max保存最大差值。不断往右扫描,更新low和max,这样就能保证最大的值一定在low的右边,并且最大差值最后也被保存下来了。

(用变量保存最值,在遍历过程中不断更新最新的方法比较常见,例如最大子序列和)

int maxProfit(int a[], int length) {
int maxDiff = 0; // 保存最大差值
int curDiff = 0; // 保存当前最大差值
int low = a[0]; // 保存最小值

// 从左向右扫描
for(int i = 1; i < length; i ++) {
curDiff = a[i] - low; // 记录当前的最大差值
if(a[i] < low) {    // 当前股票价格低于最低价
low = a[i];     // 当前最低股票价格置为最低价格
}
if(curDiff > maxDiff) {
maxDiff = curDiff; // 更新最大差值
}
}
return maxDiff;
}
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: 
相关文章推荐