这里分类和汇总了欣宸的全部原创(含配套源码):https://github.com/zq2599/blog_demos
输入:prices = [7,1,5,3,6,4]
输出:7
解释:在第 2 天(股票价格 = 1)的时候买入,在第 3 天(股票价格 = 5)的时候卖出, 这笔交易所能获得利润 = 5 - 1 = 4 。
随后,在第 4 天(股票价格 = 3)的时候买入,在第 5 天(股票价格 = 6)的时候卖出, 这笔交易所能获得利润 = 6 - 3 = 3 。
总利润为 4 + 3 = 7 。
输入:prices = [1,2,3,4,5]
输出:4
解释:在第 1 天(股票价格 = 1)的时候买入,在第 5 天 (股票价格 = 5)的时候卖出, 这笔交易所能获得利润 = 5 - 1 = 4 。
总利润为 4 。
输入:prices = [7,6,4,3,1]
输出:0
解释:在这种情况下, 交易无法获得正利润,所以不参与交易可以获得最大利润,最大利润为 0 。
1 <= prices.length <= 3 * 104
0 <= prices[i] <= 104
class Solution {
public int maxProfit(int[] prices) {
int[][] dp = new int[prices.length][2];
// 第0天股市结束后,如果手里没有股票,那就是没有购买过,此时最大利润只能等于0
// 初始化为0的代码可以省去
// dp[0][0] = 0;
// 第0天股市结束后,如果手里有股票,那就是当前购买的,此时最大利润就是负数
dp[0][1] = -prices[0];
for (int i=1;i<prices.length;i++) {
// 第i天股市结束时,手里没有股票的原因有两个:
// 1. 之前就没有股票,第i天啥样没做
// 2. 之前有股票,第i天卖出
dp[i][0] = Math.max(dp[i-1][0], dp[i-1][1] + prices[i]);
// 第i天股市结束时,手里有股票的原因有两个:
// 1. 之前就有股票,第i天啥样没做
// 2. 之前没有股票,第i天买入
dp[i][1] = Math.max(dp[i-1][1], dp[i-1][0] - prices[i]);
}
// 第i天结束后,手里不持有股票的最大利润就是返回值
return dp[prices.length-1][0];
}
}
class Solution {
public int maxProfit(int[] prices) {
// 第0天股市结束后,如果手里有股票,那就是当前购买的,此时最大利润就是负数
int prevWithStock = -prices[0];
// 第0天股市结束后,如果手里没有股票,那就是没有购买过,此时最大利润只能等于0
int prevWithoutStock = 0;
// 当天股市结束后,如果手里有股票时的最大利润
int currentWithStock;
// 当天股市结束后,如果手里没有股票时的最大利润
int currentWithoutStock = 0;
for (int i=1;i<prices.length;i++) {
currentWithoutStock = Math.max(prevWithoutStock, prevWithStock + prices[i]);
currentWithStock = Math.max(prevWithStock, prevWithoutStock - prices[i]);
prevWithStock = currentWithStock;
prevWithoutStock = currentWithoutStock;
}
// 第i天结束后,手里不持有股票的最大利润就是返回值
return currentWithoutStock;
}
}
class Solution {
public int maxProfit(int[] prices) {
if (prices.length<2) {
return 0;
}
int total = 0;
for (int i=1;i<prices.length;i++) {
if (prices[i]>prices[i-1]) {
total += prices[i] - prices[i-1];
}
}
return total;
}
}