122. 买卖股票的最佳时机 II

描述

给定一个数组,它的第 i 个元素是一支给定股票第 i 天的价格。
设计一个算法来计算你所能获取的最大利润。你可以尽可能地完成更多的交易(多次买卖一支股票)。
注意:你不能同时参与多笔交易(你必须在再次购买前出售掉之前的股票)。

思想

解题时被题目描述误导了,初以为卖出那天当天是不能再次买入的。其实是不限制买入卖出次数,当天卖出以后,当天还可以买入。这就将问题简化成只要今天比昨天大,就卖出。

代码如下:

class Solution {
    public int maxProfit(int[] prices) {
    int profit = 0;
    int buyPrice = -1;
    for (int i = 0; i < prices.length-1; i++) {
        if (prices[i]<prices[i+1]){
        profit = profit + (prices[i + 1] - prices[i]);
        }
    }
    return profit;
    }
}

也不算是贪心吧,该称其为暴力求解?

官方题解

动态规划

class Solution {
    public int maxProfit(int[] prices) {
        int n = prices.length;
        int[][] dp = new int[n][2];
        dp[0][0] = 0;
        dp[0][1] = -prices[0];
        for (int i = 1; i < n; ++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][0] - prices[i]);
        }
        return dp[n - 1][0];
    }
}

贪心

class Solution {
    public int maxProfit(int[] prices) {
        int ans = 0;
        int n = prices.length;
        for (int i = 1; i < n; ++i) {
            ans += Math.max(0, prices[i] - prices[i - 1]);
        }
        return ans;
    }
}

杂谈

书中自有黄金屋。终于找到炒股的真谛了,这就去开户炒股!

添加新评论