原题如下:
买卖股票的最佳时机
假设有一个数组,它的第i个元素是一支给定的股票在第i天的价格。如果你最多只允许完成一次交易(例如,一次买卖股票),设计一个算法来找出最大利润。
给出一个数组样例 [3,2,3,1,2], 返回 1
1、每一天的股票的最大利润是当天的价格与之前的最小价格的差;
2、定义一个数组,存放的是每天的最大利润,最后所求的结果是该数组中的最大值;
3、注意当利润为负数的时候就不卖出,所以利润为0。
具体的C++代码如下:
class Solution {
public:
/*
* @param prices: Given an integer array
* @return: Maximum profit
*/
int maxProfit(vector<int> prices) {
// write your code here
// write your code here
int len = prices.size();
if (len == 0 || len == 1)
{
return 0;
}
vector<int> maxp(len,0);
int i,j;
int minp=prices[0];
for(i=1;i<len;i++)
{
maxp[i]=prices[i]-minp;
minp=min(minp,prices[i]);
}
sort(maxp.begin(),maxp.end());
if(maxp[len-1]<0)
{
return 0;
}
else
{
return maxp[len-1];
}
}
};