题目描述
给定一个数组和滑动窗口的大小,找出所有滑动窗口里数值的最大值。例如,如果输入数组{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]}。
1、传统的方法:使用滑动窗口(两个指针)
import java.util.*;
public class Solution {
public int getMax(int [] num,int slow,int fast){
int max = num[slow];
for(int i=slow+1;i<=fast;i++){
if(max < num[i])
max = num[i];
}
return max;
}
public ArrayList<Integer> maxInWindows(int [] num, int size)
{
ArrayList<Integer> res = new ArrayList<Integer>();
if(num.length == 0 || size > num.length || size == 0)
return res;
int slow = 0;
int fast = size - 1;
while(fast < num.length){
int value = getMax(num,slow,fast);
res.add(value);
slow++;
fast++;
}
return res;
}
}
2、使用双端队列Deque—存储当前值对应的下标
队列一般是从队尾 进行插入操作。
如何知道某个值是不是该从队列中删除出去了呢???=》存储当前数的下标index,当index减去队首元素下标为size的时候,说明队中元素达到上限了。
如果当前元素比队尾元素要大,则从队尾删掉队尾元素(一直删到null或有比它大的);
如果当前元素比队尾元素要小,插入队尾,当对头元素出队后,可能他会变为最大的。
当当前元素的下标减去队头元素(是下标),等于size的时候,说明队里面有size+1个元素了,删除对头元素。
只要遍历到第size个元素,就可以获得最大值了。
import java.util.*;
public class Solution {
public ArrayList<Integer> maxInWindows(int [] num, int size)
{
ArrayList<Integer> res = new ArrayList<Integer>();
if(num.length == 0 || size > num.length || size <= 0)
return res;
Deque<Integer> queue = new LinkedList<Integer>();
for(int i=0;i<num.length;i++){
if(queue.isEmpty())
queue.offer(i);//队尾插入
else{ //注:这里是while,而且要保证队不为null
while(!queue.isEmpty() && num[i] > num[queue.peekLast()]){
queue.pollLast();//从队尾弹出来
}
queue.offer(i);
}
if(i - queue.peekFirst() == size)//队中元素达到上限
queue.pollFirst();
if(i >= size - 1)//队中有k个值后,才把队首元素存入res中
res.add(num[queue.peekFirst()]);
}
return res;
}
}
抽象问题:求队中的最大值。
(队中的最大值,源于栈的最大值,有个数的限制,所以要存下标)