leetcode346. 数据流中的移动平均值
生活随笔
收集整理的這篇文章主要介紹了
leetcode346. 数据流中的移动平均值
小編覺得挺不錯的,現在分享給大家,幫大家做個參考.
給定一個整數數據流和一個窗口大小,根據該滑動窗口的大小,計算其所有整數的移動平均值。
示例:
MovingAverage m = new MovingAverage(3);
m.next(1) = 1
m.next(10) = (1 + 10) / 2
m.next(3) = (1 + 10 + 3) / 3
m.next(5) = (10 + 3 + 5) / 3
思路:一個隊列記錄數字,用一個變量記錄窗口和即可,每次更新窗口和。
?
class MovingAverage {int size//窗口大小int windowSum = 0//窗口和int count = 0;//添加數字的次數Deque queue = new ArrayDeque<Integer>();public MovingAverage(int size) {this.size = size;}public double next(int val) {++count;// calculate the new sum by shifting the windowqueue.add(val);//看有沒有過期的數字(最左邊)int tail = count > size ? (int)queue.poll() : 0;//更新窗口和windowSum = windowSum - tail + val;return windowSum * 1.0 / Math.min(size, count);} } /*** Your MovingAverage object will be instantiated and called as such:* MovingAverage obj = new MovingAverage(size);* double param_1 = obj.next(val);*/?
總結
以上是生活随笔為你收集整理的leetcode346. 数据流中的移动平均值的全部內容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: leetcode14. 最长公共前缀
- 下一篇: leetcode237 删除链表中的节点