• Day51|动态规划part12:309.最佳买卖股票时机含冷冻期、714.买卖股票的最佳时机含手续费


    309.最佳买卖股票时机含冷冻期(无数次买卖但有限制)

    具体可以区分出如下四个状态:

    • 状态一:持有股票状态(今天买入股票,或者是之前就买入了股票然后没有操作,一直持有)
    • 不持有股票状态,这里就有两种卖出股票状态
      • 状态二:保持卖出股票的状态(两天前就卖出了股票,度过一天冷冻期。或者是前一天就是卖出股票状态,一直没操作)
      • 状态三:今天卖出股票
    • 状态四:今天为冷冻期状态,但冷冻期状态不可持续,只有一天!

    image

    最终代码:

    class Solution {
        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];
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22

    714.买卖股票的最佳时机含手续费(无限次买卖但需要手续费)

    class Solution {
        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]);
        }
    
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
  • 相关阅读:
    78. 子集
    stable diffussion web ui安装
    科普丨MP3音乐芯片的独特优势
    Kubernetes架构提供哪些功能
    17、FastNeRF
    Qt扫盲-Qt Creator IDE使用总结
    html播放视频
    【数据算法与结构】栈与队列篇
    Node 中的 Buffer 的理解?应用场景?
    2022年PMP考试延迟了,该喜该忧?
  • 原文地址:https://blog.csdn.net/weixin_43303286/article/details/138184354