简介
滑动窗口, 使用优点队列, 即大小堆来实现
code
class Solution {
public int[] maxSlidingWindow(int[] nums, int k) {
int n = nums.length;
PriorityQueue<int[]> pq = new PriorityQueue<int []>(new Comparator<int[]>() {
public int compare(int[] pair1, int [] pair2) {
return pair1[0] != pair2[0] ? pair2[0] - pair1[0] : pair2[1] - pair1[1];
}// 新的构造函数参数,
});
for(int i = 0; i<k; i++){
pq.offer(new int[]{nums[i], i});
}
int[] ans = new int[n - k + 1];
ans[0] = pq.peek()[0]; // peek == top
for(int i=k; i<n; i++){
pq.offer(new int[] {nums[i], i});
while(pq.peek()[1] <= i - k){
pq.poll();
}
ans[i - k + 1] = pq.peek()[0];
}
return ans;
}
}
class Solution {
public:
vector<int> maxSlidingWindow(vector<int>& nums, int k) {
int n = nums.size();
priority_queue<pair<int, int>> q;
for(int i = 0; i<k; ++i){
q.emplace(nums[i], i); // 记住是emplace 而不是 emplace_back
}
vector<int> ans = {q.top().first};
for(int i = k; i<n; i++){
q.emplace(nums[i], i);
while(q.top().second <= i - k) {
q.pop();
}
ans.push_back(q.top().first);
}
return ans;
}
};
---------------------------我的天空里没有太阳,总是黑夜,但并不暗,因为有东西代替了太阳。虽然没有太阳那么明亮,但对我来说已经足够。凭借着这份光,我便能把黑夜当成白天。我从来就没有太阳,所以不怕失去。
--------《白夜行》