题目地址:力扣
解法1:动态规划(贪心?)
思路:某一天的利润等于max(前一天的利润,前一天的利润加上昨天买今天卖的利润)
class Solution {
public:
int maxProfit(vector<int>& prices) {
// 初始化总利润
int profit = 0;
// 从第二天开始循环
for(int i = 1; i < prices.size(); ++i)
profit = max(profit, profit + prices[i] - prices[i-1]);
return profit;
}
};
解法2:通过当前元素的历史最小值来计算收益
思路:通过历史最小值来判断哪一天买入,然后通过当前节点往后看是否跌了来判断是否卖出,感觉也类似于贪心。但是买股票用贪心的方法本来就是收益最大化的手段啊
class Solution {
public:
int maxProfit(vector<int>& prices) {
// 设定一个变量用来存储当前元素之前的最低值,另一个用于存储中总收益
int min_price = prices[0];
int profit = 0;
// 遍历整个数组
for(int i = 0; i < prices.size(); ++i)
{
// 只要当前价格比最低值高
if (prices[i] > min_price)
{
// 看看当前是否已经遍历到末尾了,若已经末尾了就必须卖出
if (i+1 >= prices.size())
profit += (prices[i] - min_price);
// 若没到末尾,就再往后看一天,若后一天跌了,则今天卖出最好,并且把最小值重置为后 一天的价格
else if (prices[i+1] < prices[i])
{
profit += (prices[i] - min_price);
min_price = prices[i+1];
}
// 若当前价格比最低值低,就把最低值设为当前价格
} else
min_price = prices[i];
}
return profit;
}
};
Accepted
- 200/200 cases passed (4 ms)
- Your runtime beats 90.85 % of cpp submissions
- Your memory usage beats 50.18 % of cpp submissions (12.7 MB)