package LeetCode.DPpart12; /** * 309. 最佳买卖股票时机含冷冻期 * 给定一个整数数组prices,其中第 prices[i]表示第 i 天的股票价格 。 * 设计一个算法计算出最大利润。在满足以下约束条件下,你可以尽可能地完成更多的交易(多次买卖一支股票): * 卖出股票后,你无法在第二天买入股票 (即冷冻期为 1 天)。 * 注意:你不能同时参与多笔交易(你必须在再次购买前出售掉之前的股票)。 * */ public class BestTimetoBuyandSellStockwithCooldown_309 { public int maxProfit(int[] prices) { if (prices == null || prices.length < 2) { return 0; } int[][] dp = new int[prices.length][2]; // bad case dp[0][0] = 0; dp[0][1] = -prices[0]; dp[1][0] = Math.max(dp[0][0], dp[0][1] + prices[1]); dp[1][1] = Math.max(dp[0][1], -prices[1]); for (int i = 2; i < prices.length; i++) { // dp公式 dp[i][0] = Math.max(dp[i - 1][0], dp[i - 1][1] + prices[i]); dp[i][1] = Math.max(dp[i - 1][1], dp[i - 2][0] - prices[i]); } return dp[prices.length - 1][0]; } }
package LeetCode.DPpart12; /** * 714. 买卖股票的最佳时机含手续费 * 给定一个整数数组 prices,其中 prices[i]表示第i天的股票价格 ;整数fee 代表了交易股票的手续费用。 * 你可以无限次地完成交易,但是你每笔交易都需要付手续费。如果你已经购买了一个股票,在卖出它之前你就不能再继续购买股票了。 * 返回获得利润的最大值。 * 注意:这里的一笔交易指买入持有并卖出股票的整个过程,每笔交易你只需要为支付一次手续费。 * */ public class BestTimetoBuyandSellStockwithTransactionFee_714 { public int maxProfit(int[] prices, int fee) { int len = prices.length; // 0 : 持股(买入) // 1 : 不持股(售出) // dp 定义第i天持股/不持股 所得最多现金 int[][] dp = new int[len][2]; dp[0][0] = -prices[0]; for (int i = 1; i < len; i++) { dp[i][0] = Math.max(dp[i - 1][0], dp[i - 1][1] - prices[i]); dp[i][1] = Math.max(dp[i - 1][0] + prices[i] - fee, dp[i - 1][1]); } return Math.max(dp[len - 1][0], dp[len - 1][1]); } }
标签:309,part12,max,714,len,int,Math,prices,dp From: https://www.cnblogs.com/lipinbigdata/p/17464831.html