leetcode 188-maxProfit
public static int maxProfit(int k, int[] prices) { if (0 >= k || null == prices || 1 >= prices.length) return 0; int r = 0, plen = 0; if (k >= (plen = prices.length) / 2) { for (int i = 1; i < plen; i++) if (prices[i] > prices[i - 1]) r += prices[i] - prices[i - 1]; return r; } //每次交易的支出金额(负值表示正常支出、正值表示不再支出即收益) int[] buy = new int[k + 1]; //每次交易赢得的最大收益 int[] sell = new int[k + 1]; //首次交易统一是支出 Arrays.fill(buy, -prices[0]); for(int i = 0; i < plen; i++) { for(int j = 1; j <= k; j++) { //取得累计天次中当次交易可以得到的最小支出金额(上一天的支出额 VS 当天前一次交易的最大收益 - 当天股价) buy[j] = Math.max(buy[j], sell[j - 1] - prices[i]); //取得累计天次中当次交易可以得到的最大收益(上一天的最大收益 VS 支出额 +当天股价) sell[j] = Math.max(sell[j], buy[j] + prices[i]); } } return sell[k]; }