041. 滑动窗口的平均值

剑指 Offer II 041. 滑动窗口的平均值 #

题目 #

  • 给定一个整数数据流和一个窗口大小,根据该滑动窗口的大小,计算滑动窗口里所有数字的平均值。
  • 实现 MovingAverage 类:
    • MovingAverage(int size) 用窗口大小 size 初始化对象。
    • double next(int val) 成员函数 next 每次调用的时候都会往滑动窗口增加一个整数,请计算并返回数据流中最后 size 个值的移动平均值,即滑动窗口里所有数字的平均值。

思路 #

队列 #

代码 #

队列 #

class MovingAverage {
    private Queue<Integer> queue;
    private int capacity;
    private int sum;
    
    public MovingAverage(int size) {
        this.queue = new LinkedList<>();
        this.capacity = size;
        this.sum = 0;
    }
    
    public double next(int val) {
        if (this.queue.size() == this.capacity) this.sum -= this.queue.poll();
        this.queue.offer(val);
        this.sum += val;
        return (double) this.sum / this.queue.size();
    }
}