Sliding Window Maximum

Question

  1. Given an array of n integer with duplicate number, and a moving window(size k),
  2. move the window at each iteration from the start of the array,
  3. find the maximum number inside the window at each moving.
  4. Example
  5. For array [1, 2, 7, 7, 8], moving window size k = 3. return [7, 7, 8]
  6. At first the window is at the start of the array like this
  7. [|1, 2, 7| ,7, 8] , return the maximum 7;
  8. then the window move one step forward.
  9. [1, |2, 7 ,7|, 8], return the maximum 7;
  10. then the window move one step forward again.
  11. [1, 2, |7, 7, 8|], return the maximum 8;
  12. Challenge
  13. o(n) time and O(k) memory

题解

O(nk) 的时间复杂度的方法很容易想到,不停地从当前窗口中取最大就好了。但其实可以发现下一个窗口的最大值与当前窗口的最大值其实是有一定关系的,但这个关系不是简单的将前一个窗口的最大值传递给下一个窗口,因为数组中每一个元素都是有其作用范围的,超过窗口长度后就失效了!所以现在思路就稍微清晰一些了,将前一个窗口的最大值传递给下一个窗口时需要判断当前遍历的元素下标和前一个窗口的最大元素下标之差是否已经超过一个窗口长度。

问题来了,思路基本定型,现在就是选用合适的数据结构了。根据上面的思路,这种数据结构应该能在 O(1) 的时间内返回最大值,且存储的元素最大可以不超过窗口长度。常规一点的可以采用队列,但是此题中使用普通队列似乎还是很难实现,因为要在 O(1) 的时间内返回最大值。符合这个要求的数据结构必须能支持从两端对队列元素进行维护,其中一种实现方法为队首维护最大值,队尾用于插入新元素。双端队列无疑了,有关双端队列的科普见 双端队列。可以自己试着以一个实际例子来帮助理解。

Java

  1. public class Solution {
  2. /**
  3. * @param nums: A list of integers.
  4. * @return: The maximum number inside the window at each moving.
  5. */
  6. public ArrayList<Integer> maxSlidingWindow(int[] nums, int k) {
  7. ArrayList<Integer> winMax = new ArrayList<Integer>();
  8. if (nums == null || nums.length == 0 || k <= 0) return winMax;
  9. int len = nums.length;
  10. Deque<Integer> deque = new ArrayDeque<Integer>();
  11. for (int i = 0; i < len; i++) {
  12. // remove the smaller in the rear of queue
  13. while ((!deque.isEmpty()) && (nums[i] > deque.peekLast())) {
  14. deque.pollLast();
  15. }
  16. // push element in the rear of queue
  17. deque.offer(nums[i]);
  18. // remove invalid max
  19. if (i + 1 > k && deque.peekFirst() == nums[i - k]) {
  20. deque.pollFirst();
  21. }
  22. // add max in current window
  23. if (i + 1 >= k) {
  24. winMax.add(deque.peekFirst());
  25. }
  26. }
  27. return winMax;
  28. }
  29. }

源码分析

  1. 移除队尾元素时首先判断是否为空,因为在移除过程中可能会将队列元素清空。
  2. 在移除队尾元素时nums[i] > deque.peekLast()不可取等于号,因为这样会将相等的元素全部移除,这样会在窗口中部分元素相等时错误地移除本该添加到最终结果的元素。
  3. 移除失效元素和添加元素到最终结果时需要注意下标ik的关系,建议举例确定。

复杂度分析

时间复杂度 O(n), 空间复杂度 O(k). 空间复杂度可能不是那么直观,可以这么理解,双端队列中的元素最多只能存活 k 次,因为只有最大元素的存活时间最久,而最大元素在超过窗口长度时即被移除,故空间复杂度为 O(k).

Reference