188. Best Time to Buy and Sell Stock IV


Problem Description

You are given an integer array prices, which represents the price of a given stock on different days, where prices[i] is the price on day i. Additionally, you're given an integer k. Your task is to calculate the maximum profit you can achieve from at most k transactions. A transaction consists of buying and then selling one share of the stock — You can only hold one share of the stock at a time, meaning you need to sell it before buying another.

To summarize, the goal is to find the best days to buy and sell the stock so that the total profit, after at most k transactions, is as high as possible without conducting simultaneous transactions.

Intuition

Given the constraint of a maximum of k transactions, it's clear that this problem cannot be solved by a simple greedy strategy that tends to work when there's no limit on the number of transactions. Efficient solutions to this problem rely on dynamic programming, where we track the state of our transactions at each step.

The intuition behind the solution is the following:

  • Every day, you have the option either to do nothing or to take an action (buy or sell), depending on whether you're currently holding a stock.
  • If you're holding a stock, you can either sell it or continue holding it for potentially better future profits.
  • If you're not holding a stock, you can either buy a stock (provided you have remaining transactions) or wait.

Thus, a state is defined by three parameters: the current day, the number of transactions left, and whether you're holding a stock.

The dynamic programming approach typically involves breaking down the problem into smaller subproblems and building up a solution from there, using a table (or, in memory-efficient solutions, two arrays) to keep track of the state transitions—namely, the maximum profit from each state. The transition rules govern how you can move from one state to another and thereby form the essence of the solution.

For any given day, the maximum profit depends on the maximum profits of the previous days and the current stock price. The solution code simplifies the space complexity by maintaining only two columns for holding and not holding states, running through the prices, and updating the state values in place. This way, we derive our maximum profit without needing to store the entire table's worth of data.

Learn more about Dynamic Programming patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece

What is the running time of the following code?

1int sqrt(int n) {
2  for (int guess = 1; guess * guess <= n; guess++) {
3    if (guess * guess == n) {
4      return guess;
5    }
6  }
7  return -1;
8}

Solution Approach

The implementation for finding the maximum profit with at most k transactions uses dynamic programming. Dynamic programming is a method for solving complex problems by breaking them down into simpler subproblems. It is applicable when the problem can be divided into overlapping subproblems that can be solved independently.

Here's the approach:

  1. State Definition:

    • Define f with the dimensions [k + 1] by 2 to represent the state table where f[j][0] is the maximum profit up to day i with j transactions and not holding a stock, while f[j][1] is the maximum profit up to day i with j transactions and holding a stock.
  2. Base Case Initialization:

    • Initialize the first day's state because we know that on the first day (before any transactions and stock prices come into play), if we are not holding a stock, our profit is 0, and if we are holding a stock, then the profit is negative because it's an expense: -prices[0].
  3. State Transition:

    • Loop through each price x in prices[1:], starting from the second day, since the first day is used for initialization.
    • For each day and for transaction counts from k down to 1 (to ensure we reset the holding state before using it for the next transaction) we update our states:
      • f[j][0] is updated to the maximum of either selling the stock we're holding at current price x or not selling it (keeping the previous profit without holding a stock).
      • f[j][1] is updated to the maximum of either buying the stock at current price x using one of our transactions or not buying it (keeping the previous profit with holding a stock).
  4. State Transitions Equations: The transition function is based on the choices we have on each day i for transaction j:

    1// Not holding a stock
    2f[j][0] = max(f[j][1] + price[i], f[j][0])
    3// Holding a stock
    4f[j][1] = max(f[j - 1][0] - price[i], f[j][1])

    This also adheres to the constraints that you must sell the stock before you can buy again.

  5. Answer Retrieval:

    • The final answer is the profit at the last transaction having sold any stock, which is f[k][0].

The critical understanding in the dynamic programming approach involves deciding the state dimensions and transitions that capture the essence of the problem while optimizing the space used by re-using the state information of the previous day as we move to the next day.

In terms of complexity:

  • The time complexity of this algorithm is O(n * k) because we go through all the stock prices (n steps) and for each price, we go through k transactions.
  • The space complexity of this algorithm is O(k) since we only keep track of the most recent 2 * (k + 1) states.

This presented approach succinctly captures the problem's constraints and optimizes for space while providing an efficient solution to the maximum profit problem with at most k stock transactions.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

What is the worst case running time for finding an element in a binary tree (not necessarily binary search tree) of size n?

Example Walkthrough

Let's take an example to illustrate the solution approach for the problem statement given. Suppose we have the price array prices = [3,2,6,5,0,3] which represents the price of the stock on different days, and we're allowed at most k = 2 transactions.

Initialization

We start by initializing our DP table f with dimensions [k + 1][2], meaning it would have size [3][2] for this example (including the 0th transaction). Initially, our DP table looks like this (note that it has not yet been filled with meaningful values):

1f = [
2  [0, -inf],  // 0 transactions, not holding and holding (impossible)
3  [0, -inf],  // 1 transaction, not holding and holding
4  [0, -inf],  // 2 transactions, not holding and holding
5]

Base Case

Before any prices come into play, we cannot have a profit with 0 transactions, so f[0][0] is 0. On the first day, if we buy at price 3, our base case for holding a stock after 1 transaction is f[1][1] = -3.

1f = [
2  [0, -inf],
3  [0, -3],
4  [0, -inf]
5]

Process Day by Day

Let's walk through the processing of each day:

Day 1: Price is 2.

  • f[1][0]: If we are holding, we can sell for a profit of 2 - (-3) = 5. So max(0, 5) = 5 (we choose to sell).
  • f[1][1]: If we are not holding, we can buy at 2. So max(-3, -2) = -2 (we choose to buy at a lower price).

We update our states:

1f = [
2  [0, -inf],
3  [5, -2],
4  [0, -inf]
5]

Day 2: Price is 6.

  • f[1][0]: Max of not selling (5) or selling what we have (6 - (-2) = 8). We choose 8 (we sell).
  • f[1][1]: Max of keeping the previous stock (-2) or buying new at 6 (but we would need 0 transactions left over, which we do not). We keep -2.
  • f[2][0]: Max of not doing a new transaction (0) or selling what we had from the previous transaction (6 - (-2) = 8). We choose 8 (if we had sold earlier and bought today, this would be a second transaction).
  • f[2][1]: Max of buying a new one with the profit from the first transaction (5 - 6 = -1) or keeping the old case (-inf). We choose -1.
1f = [
2  [0, -inf],
3  [8, -2],
4  [8, -1]
5]

(Note: As we do not have transaction 0 holding a stock (f[0][1]), it doesn't affect our calculations and stays -inf.)

Day 3: Price is 5.

  • f[1][0]: Max of not selling (8) or selling what we have (5 - (-2) = 7). We keep 8.
  • f[1][1]: Max of keeping the previous stock (-2) or buying new for less (-5 but using a previous transaction). We choose -2.
  • f[2][0]: Max of not doing a new transaction (8) or selling what we have (5 - (-1) = 6). We choose 8.
  • f[2][1]: Max of keeping the old transaction (-1) or buying a new one (8 - 5 = 3), but that's a negative profit, so we stay with -1.
1f = [
2  [0, -inf],
3  [8, -2],
4  [8, -1]
5]

Day 4: Price is 0.

  • f[1][0]: Max of not selling (8) or selling (0 - (-2) = 2), stick with 8.
  • f[1][1]: Max of keeping the old stock (-2) or buying a new one (8 - 0 = 8), but that's not valid (as we cannot sell and buy on the same day).
  • f[2][0]: Max of not doing a transaction (8) or selling (0 - (-1) = 1), we keep 8.
  • f[2][1]: Max of keeping the old stock (-1) or buying new (8 - 0 = 8), we keep -1.

Our updated DP table remains the same as the previous step:

Day 5 with price 3 is processed similarly, and we keep updating our DP table based on the rules.

After processing all days, the DP table will reflect the maximum profit possible at each day for at most k transactions, not holding or holding a stock.

At the end of all the updates, the maximum profit with k transactions and not holding any stock on the last day will be given by f[k][0]. For our example with prices = [3,2,6,5,0,3] and k = 2, the final DP table would represent the maximum profit we can achieve, and f[2][0] would give us the answer.

Solution Implementation

1from typing import List
2
3class Solution:
4    def maxProfit(self, max_transactions: int, stock_prices: List[int]) -> int:
5        # Edge case: if there are no prices or max transactions is zero
6        if not stock_prices or max_transactions == 0:
7            return 0
8      
9        # Initialize a 2D list to hold the state of profits
10        # f[transactions][holding]
11        # holding = 0 (not holding any stock), 1 (holding stock)
12        profits = [[0] * 2 for _ in range(max_transactions + 1)]
13      
14        # Initialize the case where we've made one transaction, but are holding a stock,
15        # which is the negative value of the first price
16        for j in range(1, max_transactions + 1):
17            profits[j][1] = -stock_prices[0]
18      
19        # Loop through all prices starting from the second day
20        for price in stock_prices[1:]:
21            # Go through all possible transaction numbers
22            for j in range(max_transactions, 0, -1):
23                # Update the profit when not holding a stock:
24                # max(selling the stock today, not selling and keeping the previous profit)
25                profits[j][0] = max(profits[j][1] + price, profits[j][0])
26              
27                # Update the profit when holding a stock:
28                # max(buying the stock today, not buying and keeping the previous profit)
29                profits[j][1] = max(profits[j - 1][0] - price, profits[j][1])
30      
31        # Return the maximum profit after the allowable number of transactions
32        # without holding any stock
33        return profits[max_transactions][0]
34
1class Solution {
2    public int maxProfit(int k, int[] prices) {
3        // The length of the given prices array
4        int numberOfDays = prices.length;
5
6        // Initialize an array to store the profit at each transaction stage
7        // f[transactionCount][holding] with 0 meaning not holding a stock and 1 meaning holding a stock
8        int[][] profits = new int[k + 1][2];
9
10        // For the case where we have not made any transaction, but we are holding a stock,
11        // the initial profit should be negative, which is the cost of the stock on the first day
12        for (int transactionCount = 1; transactionCount <= k; ++transactionCount) {
13            profits[transactionCount][1] = -prices[0];
14        }
15
16        // Iterate through each day starting from the second day
17        for (int dayIndex = 1; dayIndex < numberOfDays; ++dayIndex) {
18            // Iterate for each possible transaction from k down to 1
19            for (int transactionCount = k; transactionCount > 0; --transactionCount) {
20                // Update profit for the case we sell the stock today:
21                // Max of (previous profit for holding a stock and selling it today, previous profit without holding any stock)
22                profits[transactionCount][0] = Math.max(profits[transactionCount][1] + prices[dayIndex], profits[transactionCount][0]);
23
24                // Update profit for the case we buy the stock today:
25                // Max of (profit from the last transaction minus the price of today's stock, previous profit with holding a stock)
26                profits[transactionCount][1] = Math.max(profits[transactionCount - 1][0] - prices[dayIndex], profits[transactionCount][1]);
27            }
28        }
29
30        // Return the maximum profit possible without holding a stock after k transactions
31        return profits[k][0];
32    }
33}
34
1#include <vector>
2#include <cstring>
3#include <algorithm>
4
5using namespace std;
6
7class Solution {
8public:
9    int maxProfit(int numTransactions, vector<int>& stockPrices) {
10        int numDays = stockPrices.size();
11        if (numDays == 0) return 0; // If there are no stock prices, no profit can be made.
12      
13        // Create a 2D dp array with numTransactions + 1 rows and 2 columns.
14        // dp[transactions][holding] represents the maximum profit that can be made
15        // after 'transactions' transactions and whether we are 'holding' a stock (1) or not (0).
16        int dp[numTransactions + 1][2];
17      
18        // Initialize the dp array to 0.
19        memset(dp, 0, sizeof(dp));
20      
21        // For each possible number of transactions, set an initial state indicating we bought
22        // one stock at the first day's price, thus a negative profit.
23        for (int j = 1; j <= numTransactions; ++j) {
24            dp[j][1] = -stockPrices[0];
25        }
26      
27        // Iterate through all days of stock prices.
28        for (int i = 1; i < numDays; ++i) {
29            // Iterate through all transactions in reverse order.
30            for (int j = numTransactions; j > 0; --j) {
31                // Update dp array for the two states:
32                // 1. Not holding a stock after selling on the ith day.
33                dp[j][0] = max(dp[j][1] + stockPrices[i], dp[j][0]);
34                // 2. Holding a stock after buying on the ith day.
35                dp[j][1] = max(dp[j - 1][0] - stockPrices[i], dp[j][1]);
36            }
37        }
38      
39        // The final answer is the max profit after 'numTransactions' transactions
40        // without holding a stock.
41        return dp[numTransactions][0];
42    }
43};
44
1function maxProfit(maxTransactions: number, stockPrices: number[]): number {
2    // Initialize a 2D array to hold the maximum profit up to the i-th transaction and stock holding state
3    // f[i][0] represents the maximum profit with at most i transactions and no stock currently held
4    // f[i][1] represents the maximum profit with at most i transactions and a stock currently held
5    let profit = Array.from({ length: maxTransactions + 1 }, () => Array.from({ length: 2 }, () => 0));
6
7    // Initialize the case where we have performed transactions but holding a stock with -stockPrices[0]
8    for (let transaction = 1; transaction <= maxTransactions; ++transaction) {
9        profit[transaction][1] = -stockPrices[0];
10    }
11
12    // Loop through each price starting from the second day, as we have already used the first price
13    for (const currentPrice of stockPrices.slice(1)) {
14        // Start from maxTransactions and go down to 1. We skip the 0th transaction count as it means no transactions
15        for (let transaction = maxTransactions; transaction > 0; --transaction) {
16            // Calculate the Max profit for the state of not holding a stock
17            profit[transaction][0] = Math.max(profit[transaction][1] + currentPrice, profit[transaction][0]);
18
19            // Calculate the Max profit for the state of holding a stock
20            profit[transaction][1] = Math.max(profit[transaction - 1][0] - currentPrice, profit[transaction][1]);
21        }
22    }
23
24    // Return the maximum profit after maxTransactions have been completed without holding a stock
25    return profit[maxTransactions][0];
26}
27
Not Sure What to Study? Take the 2-min Quiz

Problem: Given a list of tasks and a list of requirements, compute a sequence of tasks that can be performed, such that we complete every task once while satisfying all the requirements.

Which of the following method should we use to solve this problem?

Time and Space Complexity

Time Complexity

The given code has two nested loops:

  • The outer loop runs through the price list once, with the exception of the first element, so it runs in O(N), where N is the length of the prices list.
  • The inner loop is running from k to 1, thus it runs k times for each iteration of the outer loop.

Therefore, the total time complexity is the product of the two, which is O(N * k).

Space Complexity

Before optimization, the solution uses a 2D list f with (k + 1) * 2 elements, regardless of the size of prices. Thus, the space complexity is O(k).

According to the reference answer, by optimizing the first dimension of the space, the space complexity can be further reduced. This implies that instead of storing all k + 1 states for the 'sell' and 'buy' scenarios, we can only keep track of the current and previous states. If we store just one state and update it as we go, we only need 2 * k space, one for each 'buy' and 'sell' at every transaction number up to k. Hence, after optimization, space complexity remains O(k) since it is not dependent on N and we are only optimizing in terms of k.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

What is an advantages of top-down dynamic programming vs bottom-up dynamic programming?


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.

←
↑TA đŸ‘šâ€đŸ«