给定一个整数数组 prices,其中 prices[i]表示第 i 天的股票价格 ;整数 fee 代表了交易股票的手续费用。
你可以无限次地完成交易,但是你每笔交易都需要付手续费。如果你已经购买了一个股票,在卖出它之前你就不能再继续购买股票了。
返回获得利润的最大值。
注意:这里的一笔交易指买入持有并卖出股票的整个过程,每笔交易你只需要为支付一次手续费。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/best-time-to-buy-and-sell-stock-with-transaction-fee
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
输入:prices = [1, 3, 2, 8, 4, 9], fee = 2 输出:8
思路:
动态规划,与309. 买卖股票时机含冷冻期思路相同。
代码:
class Solution {
public int maxProfit(int[] prices, int fee) {
int n = prices.length;
if(n == 0) return 0;
int max = 0;
int[][] pro = new int[n][2];
pro[0][0] = - prices[0];
for(int i = 1; i < n; i ++){
pro[i][0] = Math.max(pro[i - 1][0], pro[i - 1][1] - prices[i]);
pro[i][1] = Math.max(pro[i - 1][1], pro[i - 1][0] + prices[i] - fee);
}
return pro[n - 1][1];
}
}