2291. Maximum Profit From Trading Stocks


Problem Description

The problem is essentially a variation of the classic 0/1 Knapsack problem. You are given two arrays present and future of the same length, which represent the current and future prices of stocks. With a given budget, your task is to determine the maximum profit that can be gained by buying stocks at present prices and selling them in the future considering that you can't spend more than the budget. You can buy each stock at most once. The maximum profit is calculated by finding the difference between the future price and the present price for the stocks you decide to buy and summing these differences up. The challenge is to select the stocks in such a way that the total cost does not exceed the budget while maximizing the profit.

Intuition

The intuition behind the solution is to use dynamic programming (DP) to solve the problem in a bottom-up manner. We define a DP array f with a length of budget + 1, where each index j represents the maximum profit that can be achieved with a budget j. We initialize the DP array with zero values because initially, with a budget of 0, we cannot achieve any profit.

We iterate over each stock, and for each stock, we iterate backward through the DP array starting from the current budget down to the price of the current stock. This reverse iteration is necessary to ensure that each stock is considered at most once. For each budget j, we update the DP value at j to be the maximum of its current value and the value at j - present_stock_price plus the profit that could be made by buying the current stock (future_stock_price - present_stock_price).

This way, f[j] represents the best decision we can make considering the first i stocks for a given budget j. When we reach f[budget], it contains the maximum profit we can make given our total budget.

The reverse iteration of the budget within the loop makes sure that we do not reuse the same stock multiple times as it simulates buying stocks exactly once by ensuring the current stock's budget isn't used previously in the same iteration.

The problem is solved when we fill the DP array, at which point f[-1] (which is the same as f[budget]) contains the solution, i.e., the maximum possible profit.

Learn more about Dynamic Programming patterns.

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

Breadth first search can be used to find the shortest path between two nodes in a directed graph.

Solution Approach

The solution uses dynamic programming as its core algorithmic approach. The idea is to build up a solution step-by-step for incremental values of the budget, ensuring that at each step, the maximum profit that can be obtained without exceeding that budget is accounted for.

The key data structure used here is a list f with a length of budget + 1. This list is initialized with zeros, as initially, no profit can be made without spending money (budget = 0). The list f is used to store the maximum profit possible for every budget from 0 to budget.

Let's delve deeper into the algorithm:

  1. We iterate over each stock with a loop for a, b in zip(present, future):. The variables a and b represent the present and future price of each stock, respectively.

  2. Within each iteration over the stocks, we iterate over the budgets from high to low for j in range(budget, a - 1, -1):. This is the reverse iteration that ensures we only consider buying a stock once.

  3. At each budget j, we make a decision: Can buying this stock at its current price a increase our profit when selling it in the future for price b? To make this decision, we check if f[j - a] + b - a (which is our previous best profit at a reduced budget j - a, plus the profit from buying and selling this stock) is greater than the current best profit at f[j].

  4. If it is beneficial to buy the stock, we update f[j] with the new maximum profit max(f[j], f[j - a] + b - a). Here f[j - a] + b - a represents the profit made by buying this stock (which is future_price - present_price) plus the profit that we could have made with the remaining budget after buying the stock (f[j - a]).

  5. Finally, after considering all stocks for all possible budgets, we return f[-1]. Due to zero-indexing in Python, f[-1] refers to the last element of the list f, which corresponds to the maximum profit that can be achieved with the full budget.

The algorithm efficiently determines the maximum profit that can be achieved under the constraint of the budget by examining each possibility only once. This is made possible due to the nature of dynamic programming, which breaks down the problem into simpler subproblems and reuses their solutions.

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

A heap is a ...?

Example Walkthrough

Let's use a simple example to illustrate the solution approach. Suppose you have the following input:

  • present: [1, 2, 3]
  • future: [2, 3, 5]
  • budget: 5

Using these inputs, we want to find the maximum profit we can make by buying stocks at present prices and selling them at future prices without exceeding our budget.

Initialization:

  • We initialize our DP list f of length budget + 1, which is 5 + 1 = 6, with zeros, so f becomes [0, 0, 0, 0, 0, 0].

Iteration over stocks:

  1. First stock: present is 1 and future is 2.

    • We check budgets starting from 5 down to 1 (the price of the stock).
    • At j = 5, we consider buying this stock by comparing f[5 - 1] + (2 - 1) with f[5]. Since f[4] + 1 is 1 and f[5] is 0, we update f[5] to 1.
    • We repeat this for budget j = 4, 3, 2, 1. The list f now becomes [0, 1, 1, 1, 1, 1].
  2. Second stock: present is 2 and future is 3.

    • This time we start from the budget of 5 and go down to 2.
    • At j = 5, we check if buying this stock is better than any previous decision by checking f[5 - 2] + (3 - 2) against f[5]. We calculate f[3] + 1 is 2 and f[5] is 1, so we update f[5] to 2.
    • We do similar updates for j = 4 and j = 3. Now, f is [0, 1, 1, 2, 2, 2].
  3. Third stock: present is 3 and future is 5.

    • We iterate from budget 5 to 3.
    • At j = 5, we compare f[5 - 3] + (5 - 3) with f[5]. Thus f[2] + 2 is 3 and f[5] is 2, we update f[5] to 3.
    • At j = 4, f[4] remains 2 since we can't buy this stock with a budget of 1.
    • So f becomes [0, 1, 1, 2, 2, 3].

Returning the result:

  • The last element in list f is 3, so we return f[-1] which is the maximum profit possible with the initial budget, which is 3.

This walkthrough shows that by using dynamic programming, we can efficiently calculate the maximum profit without exceeding our budget by making smart decisions at each step.

Solution Implementation

1class Solution:
2    def maximumProfit(self, present_values: List[int], future_values: List[int], budget: int) -> int:
3        # Create a table to store the maximum profit that can be achieved with each budget
4        profit_table = [0] * (budget + 1)
5      
6        # Iterate over each item pair of present and future values
7        for present_value, future_value in zip(present_values, future_values):
8            # Update the profit table in reverse to avoid using updated values in the same iteration
9            for current_budget in range(budget, present_value - 1, -1):
10                # Calculate the profit by buying an item at present value and selling at future value
11                profit = future_value - present_value
12              
13                # Update the profit table with the maximum profit so far
14                # Either keep the current profit for the budget or
15                # Take the profit by investing present_value and adding to the profit found with the remaining budget
16                profit_table[current_budget] = max(profit_table[current_budget],
17                                                   profit_table[current_budget - present_value] + profit)
18      
19        # The last element of the profit table holds the maximum profit achievable with the given budget
20        return profit_table[-1]
21
1class Solution {
2    public int maximumProfit(int[] presentValues, int[] futureValues, int budget) {
3        int numberOfItems = presentValues.length; // Total number of items
4  
5        // dp array to store the maximum profit for each budget upto the given budget
6        int[] dp = new int[budget + 1];
7  
8        // Iterate over each item
9        for (int i = 0; i < numberOfItems; ++i) {
10            int presentValue = presentValues[i];
11            int futureValue = futureValues[i];
12          
13            // Iterate over all possible remaining budgets in reverse
14            // to avoid using same item's profit more than once
15            for (int currentBudget = budget; currentBudget >= presentValue; --currentBudget) {
16                // Update dp array with the maximum profit achievable with the current budget
17                dp[currentBudget] = Math.max(dp[currentBudget], dp[currentBudget - presentValue] + futureValue - presentValue);
18            }
19        }
20      
21        // Return the maximum profit that can be achieved with the given budget
22        return dp[budget];
23    }
24}
25
1#include <vector>
2#include <cstring>
3#include <algorithm>
4using namespace std;
5
6class Solution {
7public:
8    // This function calculates the maximum profit given the present and future prices of gifts
9    // within a specified budget constraint.
10    int maximumProfit(vector<int>& presentPrices, vector<int>& futurePrices, int budget) {
11        int n = presentPrices.size(); // Number of gifts
12        vector<int> dp(budget + 1, 0); // Initialize DP array to store max profits with 0 as default
13      
14        // Iterate over all the gifts
15        for (int i = 0; i < n; ++i) {
16            int buyPrice = presentPrices[i];  // Buy price of the current gift
17            int sellPrice = futurePrices[i];  // Future (sell) price of the current gift
18          
19            // Traverse the budget from back to front to avoid using updated states
20            for (int j = budget; j >= buyPrice; --j) {
21                // Update the dp array for the current budget 'j' with the greater value between
22                // the previous dp value for 'j' and the dp value for 'j - buyPrice'
23                // added with the profit of selling the current gift (sellPrice - buyPrice).
24                dp[j] = max(dp[j], dp[j - buyPrice] + sellPrice - buyPrice);
25            }
26        }
27        return dp[budget]; // Return the maximum profit for the given budget
28    }
29};
30
1function maximumProfit(currentPrices: number[], futurePrices: number[], budget: number): number {
2    // Initialize a dynamic programming array of length `budget + 1` with zeros.
3    const dp = new Array<number>(budget + 1).fill(0);
4
5    // Iterate over each item (both present and future prices).
6    for (let i = 0; i < currentPrices.length; ++i) {
7        // Capture the current and future price of the item.
8        const currentPrice = currentPrices[i];
9        const futurePrice = futurePrices[i];
10
11        // Iterate over the budget from high to low to avoid recomputation.
12        for (let currentBudget = budget; currentBudget >= currentPrice; --currentBudget) {
13            // Calculate the maximum profit by comparing whether to buy this item or not.
14            dp[currentBudget] = Math.max(
15                dp[currentBudget],                // Not buying the item
16                dp[currentBudget - currentPrice] + futurePrice - currentPrice // Buying the item
17            );
18        }
19    }
20
21    // The last element in the dynamic programming array contains the maximum profit.
22    return dp[budget];
23}
24
Not Sure What to Study? Take the 2-min Quiz

The three-steps of Depth First Search are:

  1. Identify states;
  2. Draw the state-space tree;
  3. DFS on the state-space tree.

Time and Space Complexity

The given Python function maximumProfit aims to determine the maximum profit that can be made given a budget constraint and lists of present and future values of items.

Time Complexity

The time complexity of the function is determined by the nested loops present in the code. The outer loop runs once for each pair of present and future values, while the inner loop runs for each value of the budget from the current item's present value to 1, decrementing on each iteration.

Given that n is the total number of items (length of the present or future list), and budget is the maximum budget available, the outer loop runs n times, and the inner loop runs at most budget times for each iteration of the outer loop.

Therefore, the overall time complexity is O(n * budget), where n is the length of the lists.

Space Complexity

The space complexity is determined by the storage used by the algorithm outside of the input storage. In this case, a list f of size budget + 1 is created to store temporary values computed during the execution of the function.

This results in a space complexity of O(budget), since the list f grows linearly with respect to the budget parameter.

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

Fast Track Your Learning with Our Quick Skills Quiz:

Which algorithm is best for finding the shortest distance between two points in an unweighted graph?


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 đŸ‘šâ€đŸ«