滑动窗口的最大值 --剑指offer
Posted nlw-blog
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了滑动窗口的最大值 --剑指offer相关的知识,希望对你有一定的参考价值。
题目描述
给定一个数组和滑动窗口的大小,找出所有滑动窗口里数值的最大值。例如,如果输入数组{2,3,4,2,6,2,5,1}及滑动窗口的大小3,那么一共存在6个滑动窗口,他们的最大值分别为{4,4,6,6,6,5}; 针对数组{2,3,4,2,6,2,5,1}的滑动窗口有以下6个: {[2,3,4],2,6,2,5,1}, {2,[3,4,2],6,2,5,1}, {2,3,[4,2,6],2,5,1}, {2,3,4,[2,6,2],5,1}, {2,3,4,2,[6,2,5],1}, {2,3,4,2,6,[2,5,1]}。
链接:https://www.nowcoder.com/questionTerminal/1624bc35a45c42c0bc17d17fa0cba788
来源:牛客网
来源:牛客网
思路:滑动窗口应当是队列,但为了得到滑动窗口的最大值,队列序可以从两端删除元素,因此使用双端队列。
* 原则:
* 对新来的元素k,将其与双端队列中的元素相比较
* 1)前面比k小的,直接移出队列(因为不再可能成为后面滑动窗口的最大值了!),
* 2)前面比k大的X,比较两者下标,判断X是否已不在窗口之内,不在了,直接移出队列
* 队列的第一个元素是滑动窗口中的最大值
注意双向队列中存放的是最大值的下标
import java.util.*; public class Solution { public ArrayList<Integer> maxInWindows(int [] num, int size) { ArrayList<Integer> res=new ArrayList<>(); LinkedList<Integer> deque=new LinkedList<>(); if(num == null || num.length < size || size < 1){ return res; } for(int i =0;i <size;i ++){ while (!deque.isEmpty() && num[i] >num[deque.getLast()]){ deque.removeLast(); } deque.addLast(i); } res.add(num[deque.getFirst()]); for(int i =size;i <num.length;i ++){ while (!deque.isEmpty() && num[i] > num[deque.getLast()]){ deque.removeLast(); } deque.addLast(i); if(!deque.isEmpty() && i-size >= deque.getFirst()){ deque.removeFirst(); } res.add(num[deque.getFirst()]); } return res; } }
以上是关于滑动窗口的最大值 --剑指offer的主要内容,如果未能解决你的问题,请参考以下文章