Leetcode刷題之 【最近的請求次數】

麥田裡的守望者_zhg發表於2020-10-03

1 題目

寫一個 RecentCounter 類來計算特定時間範圍內最近的請求。

請你實現 RecentCounter 類:

RecentCounter() 初始化計數器,請求數為 0 。
int ping(int t) 在時間 t 新增一個新請求,其中 t 表示以毫秒為單位的某個時間,並返回過去 3000 毫秒內發生的所有請求數(包括新請求)。確切地說,返回在 [t-3000, t] 內發生的請求數。
保證每次對 ping 的呼叫都使用比之前更大的 t 值。

示例 1:

輸入: [“RecentCounter”, “ping”, “ping”, “ping”, “ping”] [[], [1], [100],
[3001], [3002]]
輸出: [null, 1, 2, 3, 3]

解釋:

RecentCounter recentCounter = new RecentCounter();
recentCounter.ping(1); // requests = [1],範圍是 [-2999,1],返回 1
recentCounter.ping(100); // requests = [1, 100],範圍是
[-2900,100],返回 2
recentCounter.ping(3001); // requests = [1,100, 3001],範圍是 [1,3001],返回 3
recentCounter.ping(3002); // requests = [1, 100, 3001, 3002],範圍是[2,3002],返回 3

提示:

  • 1 <= t <= 104 保證每次對 ping 的呼叫都使用比之前更大的 t 值
  • 至多呼叫 ping 方法 104 次

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/number-of-recent-calls
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。

2 Java程式碼

(1)暴力破解(會超時)

class RecentCounter{
    private List<Integer> count = new ArrayList<>();
    
    public RecentCounter() {

    }

    public int ping(int t) {
        int min = t-3000;
        int to = 1;
        for (int i = 0; i < this.count.size(); i++) {
            if (this.count.get(i) >= min)
                to++;
        }
        this.count.add(t);
        return to;
    }
}

(2)使用佇列實現

import java.util.*;

public class RecentCounter {
    private Queue<Integer> count = new LinkedList<>();
    public RecentCounter() {

    }

    public int ping(int t) {
    	/*
    	如果佇列中的ping值超出時間限制(大於3000毫秒),則將其移除佇列
    	*/
        while (!this.count.isEmpty() && t-this.count.peek()>3000)
            this.count.poll();
        this.count.add(t);
        return this.count.size();
    }

    public static void main(String[] args) {
        RecentCounter recentCounter = new RecentCounter();
        System.out.println(recentCounter.ping(1));
        System.out.println(recentCounter.ping(100));
        System.out.println(recentCounter.ping(3001));
        System.out.println(recentCounter.ping(3002));

    }
}

在這裡插入圖片描述

相關文章