Sliding Window Maximum
Given an array of integers `nums` and an integer `k`, return the maximum value in each subarray of size `k`.
Constraints:
- 1 <= nums.length <= 10^5
- 1 <= k <= nums.length
Examples:
Input: [1,3,-1,-3,5,3,6,7], k = 3
Output: [3,3,5,5,6,7]
Explanation: The maximum values in each subarray of size 3 are 3, 3, 5, 5, 6, 7.
Solutions
Deque
We use a deque to store the indices of the elements in the current window. We remove the elements that are out of the window and the elements that are smaller than the current element from the deque. We then add the current element to the deque. Finally, we add the maximum element in the deque to the result.
function maxSlidingWindow(nums, k) {
let deque = [],
result = [];
for (let i = 0; i < nums.length; i++) {
while (deque.length > 0 && deque[0] < i - k + 1) deque.shift();
while (deque.length > 0 && nums[deque[deque.length - 1]] < nums[i])
deque.pop();
deque.push(i);
if (i >= k - 1) result.push(nums[deque[0]]);
}
return result;
}
Follow-up:
What if the input array is empty or k is larger than the length of the array?