1. Leetcode239. 滑动窗口最大值
- 第一想法:一开始想到使用优先队列,但是优先队列无法剔除最大值以外的其他值。
- 看到题解想法:构建单调队列——队列只保留按遍历顺序单调递减的元素,遍历到最大值,则出队。
- 遇到困难:构建队列时入队出队的判断条件有点难处理
class Solution {
public int[] maxSlidingWindow(int[] nums, int k) {
MyQueue myQueue = new MyQueue();
List<Integer> res = new ArrayList<>();
// 前k个元素入队
for (int i = 0; i < k; i++) {
myQueue.offer(nums[i]);
}
// 取最大值
res.add(myQueue.front());
// 后k个元素入队,滑动窗口:删除左侧元素,加入右侧元素
for (int i = k; i < nums.length; i++) {
// 如果当前元素是最大值,就把最大值移除队伍
if (myQueue.front() == nums[i - k]) {
myQueue.poll();
}
myQueue.offer(nums[i]);
res.add(myQueue.front());
}
int[] arr = new int[res.size()];
for (int i = 0; i < res.size(); i++) {
arr[i] = res.get(i);
}
return arr;
}
}
// 单调队列:入队元素只保留从大到小顺序的元素,如:1,3,-1,-3只保留[3,-1]
class MyQueue {
private Deque<Integer> queue;
public MyQueue() {
queue = new LinkedList<>();
}
// 只保留从大到小排列的元素,其他元素不入队
public void offer(int x) {
while (!queue.isEmpty() && queue.peekLast() < x) {
queue.pollLast();
}
queue.offer(x);
}
public int poll() {
return queue.poll();
}
public int front() {
return queue.peek();
}
}
- 总结与收获:单调队列的性质:找到一定范围内的最大值或者最小值。之后如果遇到需要求一定范围内的最大值(一般都是滑窗法),就可以使用单调队列。并且还有个特征就是时间复杂度是O(n),当数据量大于10^5时可以考虑看看。用时:1h
2. Leetcode347. 前 K 个高频元素(待补充)