【滑动窗口与单调栈】

  • Post author:
  • Post category:其他




滑动窗口(双端队列)

这次的和之前的不一样,之前是数组实现。

首先告诉大家滑动窗口是什么玩意,他在一个数组中来回滑动的一种模型,比如说在1-9中从小到大以三个数字滑动

第一次 1,2,3
第二次 2,3,4

这里就需要用到两个下标一个是L另外一个是R,作为左右端口,然后l++,r++同时移动。



1.滑动窗口的最大值

给你一个整数数组 nums,有一个大小为 k 的滑动窗口从数组的最左侧移动到数组的最右侧。你只可以看到在滑动窗口内的 k 个数字。滑动窗口每次只向右移动一位。

返回 滑动窗口中的最大值 。

输入:nums = [1,3,-1,-3,5,3,6,7], k = 3

输出:[3,3,5,5,6,7]

解释:

滑动窗口的位置 最大值


[1 3 -1] -3 5 3 6 7 3

1 [3 -1 -3] 5 3 6 7 3

1 3 [-1 -3 5] 3 6 7 5

1 3 -1 [-3 5 3] 6 7 5

1 3 -1 -3 [5 3 6] 7 6

1 3 -1 -3 5 [3 6 7] 7

思路:

显然就是滑动窗口问题,我们直接记录每个窗口里的最大优先值(值最大下标也最大),就比如 1 3 -1的优先值就是3,因为3的值最大并且下标也最大,当3不在范围我们也要把3给踢出去,或者是当3已经不是最大值时候,要把3poll()掉,

class Solution {
    public int[] maxSlidingWindow(int[] nums, int k) {
       LinkedList<Integer> queue = new LinkedList<Integer>();
       int [] array = new int  [nums.length-k+1];
       int index = 0;
       for(int i=0;i<nums.length;i++){
           while(!queue.isEmpty()&&nums[queue.peekLast()]<=nums[i]){
               queue.pollLast();
               //遇到大的踢出
           }
           //遇到不满足上述情况加进来
           queue.addLast(i);
           if(queue.peekFirst()==i-k){
               queue.pollFirst();
           }
           if(i>=k-1){
            array[index++] = nums[queue.peekFirst()];
        }
       }
       return array;
    }
}



版权声明:本文为m0_57315623原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。