Given an integer array nums and an integer k, return the maximum sum of a non-empty subsequence of that array such that for every two consecutive integers in the subsequence, nums[i] and nums[j], where i < j, the condition j - i <= k is satisfied.
A subsequence of an array is obtained by deleting some number of elements (can be zero) from the array, leaving the remaining elements in their original order.
Example 1:
Input: nums = [10,2,-10,5,20], k = 2
Output: 37
Explanation: The subsequence is [10, 2, 5, 20].
Example 2:
Input: nums = [-1,-2,-3], k = 1
Output: -1
Explanation: The subsequence must be non-empty, so we choose the largest number.
Example 3:
Input: nums = [10,-2,-10,-5,20], k = 2
Output: 23
Explanation: The subsequence is [10, -2, -5, 20].
Constraints:
1 <= k <= nums.length <= 105
-104 <= nums[i] <= 104
Solutions
Solution 1: Dynamic Programming + Monotonic Queue
We define \(f[i]\) to represent the maximum sum of the subsequence ending at \(\textit{nums}[i]\) that meets the conditions. Initially, \(f[i] = 0\), and the answer is \(\max_{0 \leq i \lt n} f(i)\).
We notice that the problem requires us to maintain the maximum value of a sliding window, which is a typical application scenario for a monotonic queue. We can use a monotonic queue to optimize the dynamic programming transition.
We maintain a monotonic queue \(q\) that is decreasing from the front to the back, storing the indices \(i\). Initially, we add a sentinel \(0\) to the queue.
We traverse \(i\) from \(0\) to \(n - 1\). For each \(i\), we perform the following operations:
If the front element \(q[0]\) satisfies \(i - q[0] > k\), it means the front element is no longer within the sliding window, and we need to remove the front element from the queue;
Then, we calculate \(f[i] = \max(0, f[q[0]]) + \textit{nums}[i]\), which means we add \(\textit{nums}[i]\) to the sliding window to get the maximum subsequence sum;
Next, we update the answer \(\textit{ans} = \max(\textit{ans}, f[i])\);
Finally, we add \(i\) to the back of the queue and maintain the monotonicity of the queue. If \(f[q[\textit{back}]] \leq f[i]\), we need to remove the back element until the queue is empty or \(f[q[\textit{back}]] > f[i]\).
The final answer is \(\textit{ans}\).
The time complexity is \(O(n)\), and the space complexity is \(O(n)\). Here, \(n\) is the length of the array \(\textit{nums}\).