leetcode之买卖股票最佳时机(1)
2022/2/23
题目简述:
(题源力扣)
给定一个数组 prices ,它的第 i 个元素 prices[i] 表示一支给定股票第 i 天的价格。
你只能选择 某一天 买入这只股票,并选择在 未来的某一个不同的日子 卖出该股票。设计一个算法来计算你所能获取的最大利润。
返回你可以从这笔交易中获取的最大利润。如果你不能获取任何利润,返回 0 。
示例 1:
输入:[7,1,5,3,6,4]
输出:5
解释:在第 2 天(股票价格 = 1)的时候买入,在第 5 天(股票价格 = 6)的时候卖出,最大利润 = 6-1 = 5 。
注意利润不能是 7-1 = 6, 因为卖出价格需要大于买入价格;同时,你不能在买入前卖出股票。
示例 2:
输入:prices = [7,6,4,3,1]
输出:0
解释:在这种情况下, 没有交易完成, 所以最大利润为 0。
提示:
1 <= prices.length <= 105
0 <= prices[i] <= 104
首先暴力解法,依次进行搜索,但时间复杂度达到了 O( n 2 n^2 n2),显然过不去,,,
int maxProfit(vector<int>& prices) {
if(prices.size() == 1)return 0; // 只有一天,收益为0
else{
int step; // 步长
int loc; // 当前搜索位置
// 其实这两个可以不用标,当时题意理解错,以为是要输出卖出股票的日期hhh
int res_end; // 结束天数
int res_start; // 起始天数
int max = -10000; // 收益最大值
for(step = 1;step < prices.size();step++) {
for(loc = 0; loc < prices.size() - step; loc++) {
if(max <= prices[loc+step] - prices[loc]){
max = prices[loc+step] - prices[loc];
res_end = loc + step;
res_start = loc;
}
}
}
// 无法产生收益,返回0
if((prices[res_end] - prices[res_start]) <= 0)return 0;
else return max;
}
}
改进方法参考了leetcode题解思路一,只遍历一遍数组,计算每次到当天为止的最小股票价格和最大利润。
class Solution {
public:
int maxProfit(vector<int>& prices) {
int min = 10000; // 当前股票卖价最小值
int res = 0; // 当前产生的最大收益
int loc;
for(loc = 0;loc < prices.size(); loc++){
if(prices[loc] <= min)min = prices[loc];
if(prices[loc] - min >= res)res = prices[loc] - min;
}
return res;
}
};