其他分享
首页 > 其他分享> > leetcode309.最佳买卖股票时机含冷冻期(mid)

leetcode309.最佳买卖股票时机含冷冻期(mid)

作者:互联网

最佳买卖股票时机含冷冻期


力扣链接

题目描述

给定一个整数数组,其中第 i 个元素代表了第 i 天的股票价格 。​

设计一个算法计算出最大利润。在满足以下约束条件下,你可以尽可能地完成更多的交易(多次买卖一支股票):

输入: [1,2,3,0,2]
输出: 3 
解释: 对应的交易状态为: [买入, 卖出, 冷冻期, 买入, 卖出]

Constraints:

解题思路

官方题解

代码

public int maxProfit(int[] prices) {

        int n = prices.length;
        //f0: 手上持有股票的最大收益
        //f1: 手上不持有股票,并且处于冷冻期中的累计最大收益
        //f2: 手上不持有股票,并且不在冷冻期中的累计最大收益
        //边界第0天持有股票收益 -prices[0],不持有股票的两种情况为0
        int f0 = -prices[0];
        int f1 = 0;
        int f2 = 0;
        for (int i = 1; i < n; ++i) {
            int newf0 = Math.max(f0, f2 - prices[i]);
            int newf1 = f0 + prices[i];
            int newf2 = Math.max(f1, f2);
            f0 = newf0;
            f1 = newf1;
            f2 = newf2;
        }

        return Math.max(f1, f2);
    }

复杂度

在这里插入图片描述

标签:f0,f1,f2,int,mid,leetcode309,prices,冷冻
来源: https://blog.csdn.net/qq_43478625/article/details/122382662