剑指 Offer 59 - I. 滑动窗口的最大值

题目

给定一个数组 nums 和滑动窗口的大小 k,请找出所有滑动窗口里的最大值。

示例

输入: nums = [1,3,-1,-3,5,3,6,7], 和 k = 3
输出: [3,3,5,5,6,7]
解释:

滑动窗口的位置 最大值


[1 3 -1] -3 5 3 6 7 3
1 [3 -1 -3] 5 3 6 7 3
1 3 [-1 -3 5] 3 6 7 5
1 3 -1 [-3 5 3] 6 7 5
1 3 -1 -3 [5 3 6] 7 6
1 3 -1 -3 5 [3 6 7] 7

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/hua-dong-chuang-kou-de-zui-da-zhi-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

方法1:优先队列

Java实现
class Solution {
    public int[] maxSlidingWindow(int[] nums, int k) {
        int n = nums.length;
        int l = 0, r = 0;
        PriorityQueue<Integer> pq = new PriorityQueue<>((x, y) -> (y - x));
        List<Integer> var = new ArrayList<>();

        while (r <= n - 1) {
            pq.offer(nums[r]);
            r++;
            if (r - l >= k) {
                var.add(pq.poll());
                pq = new PriorityQueue<>((x, y) -> (y - x));
                l++;
                r = l;
            }
        }

        int[] res = new int[var.size()];
        for (int i = 0; i < var.size(); i++) res[i] = var.get(i);
        return res;
    }
}

剑指 Offer 59 - I. 滑动窗口的最大值

上一篇:在IIS中部署.NET Core WebApi程序


下一篇:项目常用jquery/easyui函数小结