【题目】给定一个数组和滑动窗口的大小,找出所有滑动窗口里数值的最大值。例如,如果输入数组{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]}。
【思路】逐个取出数组中第i个到第i+size个中的最大值,添加到结果数组中。
【代码】
class Solution:
def maxInWindows(self, num, size):
# write code here
res = []
i = 0
while size > 0 and i+size-1<len(num):
res.append(max(num[i:i+size]))
i += 1
return res
此题可以双向链表来解决,双向链表存放的是数组中最大值的下标。
class Solution:
def maxInWindows(self, num, size):
# write code here
res = []
queue = [] #存放最大值的下标
i = 0
while size > 0 and i < len(num):
#最大值的位置离当前遍历的位置不能大于size,
if len(queue) > 0 and i - size + 1 > queue[0]:
queue.pop(0)
#把所有小于当前值的数字弹出,此时queque是一个递减队列,queque[0]是最大的
while len(queue) > 0 and num[queue[-1]] < num[i]:
queue.pop()
queue.append(i)
if i >= size -1:遍历的指针大于范围后,就可输出size内的最大值了
res.append(num[queue[0]])
i += 1
return res