代码随想录算法训练营第五十一天|309.最佳买卖股票时机含冷冻期、714.买卖股票的最佳时机含手续费

文章目录

  • 一、309.最佳买卖股票时机含冷冻期
  • 二、714.买卖股票的最佳时机含手续费
  • 总结


一、309.最佳买卖股票时机含冷冻期

  1. 卖出股票后,你无法在第二天买入股票 (即冷冻期为 1 天)。
  2. 因为有冷冻期,需要将卖出细化。四个状态:持有,之前卖出,当天卖出,冷冻期。
  3. dp[i][1]:i天之前卖出:分为前一天就卖出+前一天是冷冻期。
    public int maxProfit(int[] prices) {
        int[][] dp = new int[prices.length][4];
        dp[0][0] = -prices[0];

        //持有,之前卖出,现在卖出,冷冻期
        for(int i=1;i<prices.length;i++){
            dp[i][0] = Math.max(dp[i-1][0],Math.max(dp[i-1][1]-prices[i],dp[i-1][3]-prices[i]));
            dp[i][1] = Math.max(dp[i-1][1],dp[i-1][3]);
            dp[i][2] = dp[i-1][0]+prices[i];
            dp[i][3] = dp[i-1][2];
        }
        return Math.max(dp[prices.length-1][3],Math.max(dp[prices.length-1][1],dp[prices.length-1][2]));
    }

20分钟

二、714.买卖股票的最佳时机含手续费

  1. 你可以无限次地完成交易,但是你每笔交易都需要付手续费。
  2. 两个状态:持有和不持有,只需要在不持有时扣一个手续费就好。
    public int maxProfit(int[] prices, int fee) {
        int[][] dp = new int[prices.length][2];
        //持有和不持有
        dp[0][0] = -prices[0];
        dp[0][1] = 0;
        for(int i=1;i<prices.length;i++){
            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-1][0]+prices[i]-fee);//不持有:之前不持有,今天刚卖
        }
        return Math.max(dp[prices.length-1][0],dp[prices.length-1][1]);
    }

20分钟

总结

你可能感兴趣的:(算法)