解法
每个都是依赖之前的状态,可以简化成依赖前一批状态
class Solution {
public int maxProfit(int[] prices) {
int len = prices.length;
// 第i天不同状态下现金最大值
// 0代表持有股票的状态,1代表不持有股票,但也不在冷冻期的状态
// 2代表不持有股票,处于冷冻期
int[][] dp = new int[len][3];
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][1], dp[i - 1][2]);
dp[i][2] = dp[i - 1][0] + prices[i];
}
return Math.max(dp[len - 1][1], dp[len - 1][2]);
}
}
网友评论