Problem
You are given an array prices
where prices[i]
is the price of a given stock on the ith
day, and an integer fee
representing a transaction fee.
Find the maximum profit you can achieve. You may complete as many transactions as you like, but you need to pay the transaction fee for each transaction.
Note: You may not engage in multiple transactions simultaneously (i.e., you must sell the stock before you buy again).
Example 1:
1 | Input: prices = [1,3,2,8,4,9], fee = 2 |
Example 2:
1 | Input: prices = [1,3,7,5,10,3], fee = 3 |
Constraints:
1 <= prices.length <= 5 * 104
1 <= prices[i] < 5 * 104
0 <= fee < 5 * 104
Analysis
股票买卖类的系列题,解题的大方向还是动态规划,因为买卖都有,所以还是使用两个状态:
hold[i]
:第i
天持有股票的最大收益;sold[i]
:第i
天没有持有股票的最大收益。
然后我们来看看状态转移方程怎么写。收益的变化只有在买卖的时候才会有,所以对于某一天来说,如果什么都不做的话,应该是和前一天的收益是一样的。然后我们要考虑买卖发生的情况,因为股票不能重复购买或重复抛售,只能一买一卖,所以交易发生只有两种情况:
- 第
i - 1
天是持有状态,第i
天卖出; - 第
i - 1
天是抛售状态,第i
天买入。
我们根据上面两种状态来写状态转移方程即可,买入的时候减去当天股票的价格即可,卖出的时候需要加上当前股票的价格,但是还要减去手续费。然后结果是最后一天抛售的结果。
Solution
无
Code
1 | class Solution { |
Summary
这道题是比较简单的dp,条件和状态转移都不难,主要是理清买卖的关系和发生条件。这道题目的分享到这里,感谢你的支持!