JZ64 --- 滑动窗口的最大值

题目描述:
给定一个数组和滑动窗口的大小,找出所有滑动窗口里数值的最大值。
例如,如果输入数组 { 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]}。
窗口大于数组长度的时候,返回空。

题解:

题解一: 循环标记

public static ArrayList<Integer> maxInWindows(int [] num, int size) {
     
    ArrayList<Integer> res = new ArrayList<> ();
    if(size <= 0){
     
        return res;
    }
    for(int i = 0;i < num.length - size + 1;i++){
     
        int max = num[i];
        for(int j = i;j < i+size;j++){
     
            if(num[j] > max){
     
                max = num[j];
            }
        }
        res.add (max);
    }
    return res;
}

题解二: 维护一个大小为size的大堆

public static ArrayList<Integer> maxInWindows(int [] num, int size) {
     
    // 大堆
    PriorityQueue<Integer> queue = new PriorityQueue<Integer> (new Comparator<Integer> () {
     
        @Override
        public int compare(Integer o1, Integer o2) {
     
            return o2 - o1;
        }
    });
    ArrayList<Integer> result = new ArrayList<> ();
    if(num == null || num.length <= 0 || size <= 0 || size > num.length){
     
        return result;
    }
    int index = 0;
    for(;index < size;index++){
     
        queue.offer (num[index]);
    }
    while(index < num.length){
     
         result.add (queue.peek ());
         queue.remove (num[index-size]);
         queue.offer (num[index++]);
    }
    result.add (queue.peek ()); // 最后一次入堆的结果
    return result;
}

你可能感兴趣的:(剑指offer)