Problem Description
You are given an integer array prices
where prices[i]
is the price of a given stock on the i
th day, and an integer k
. Find the maximum profit you can achieve. You may complete at most k
transactions: i.e. you may buy at most k
times and sell at most k
times. Note: You may not engage in multiple transactions simultaneously (i.e., you must sell the stock before you buy again).
Key Insights
- The problem involves calculating profits from stock transactions with a limited number of transactions (k).
- Dynamic Programming is suitable due to overlapping subproblems and optimal substructure.
- The solution requires tracking profits for each transaction and each day, necessitating a two-dimensional DP table.
- Edge cases include when k exceeds half the number of days, where the solution simplifies to unlimited transactions.
Space and Time Complexity
Time Complexity: O(k * n), where n is the number of days (length of the prices array).
Space Complexity: O(k), as we can optimize the DP storage to only keep track of the last transaction.
Solution
The solution utilizes a dynamic programming approach, where we maintain a DP array that tracks the maximum profit achievable with up to k
transactions up to each day. The algorithm iteratively updates profits based on the best prior profits and the current day's prices.
- Initialize a DP array of size
(k+1)
with zeros. - Iterate through each day and each transaction, updating the maximum profit possible by considering the best prior profits and the differences in prices.
- Return the maximum profit from the last transaction after processing all days.