剑指 Offer II 042. 最近请求次数 #
题目 #
- 写一个
RecentCounter
类来计算特定时间范围内最近的请求。 - 请你实现
RecentCounter
类:RecentCounter()
初始化计数器,请求数为0
。int ping(int t)
在时间t
添加一个新请求,其中t
表示以毫秒为单位的某个时间,并返回过去3000
毫秒内发生的所有请求数(包括新请求)。确切地说,返回在[t-3000, t]
内发生的请求数。- 每次对
ping
的调用都使用比之前更大的t
值。
思路 #
队列 #
代码 #
队列 #
class RecentCounter {
private Queue<Integer> queue;
public RecentCounter() {
this.queue = new LinkedList<>();
}
public int ping(int t) {
queue.offer(t);
while(queue.peek() < t - 3000) queue.poll();
return queue.size();
}
}