Stealth Interview
  • Features
  • Pricing
  • Blog
  • Login
  • Sign up

Leetcode #933: Number of Recent Calls

In this guide, we solve Leetcode #933 Number of Recent Calls in Python and focus on the core idea that makes the solution efficient.

You will see the intuition, the step-by-step method, and a clean Python implementation you can use in interviews.

Leetcode

Problem Statement

You have a RecentCounter class which counts the number of recent requests within a certain time frame. Implement the RecentCounter class: RecentCounter() Initializes the counter with zero recent requests.

Quick Facts

  • Difficulty: Easy
  • Premium: No
  • Tags: Design, Queue, Data Stream

Intuition

We need level-order exploration or shortest-step expansion, which maps directly to a queue.

BFS guarantees the first time you reach a node is the shortest in unweighted graphs.

Approach

Initialize the queue with starting nodes and expand outward layer by layer.

Track visited nodes to avoid cycles and redundant work.

Steps:

  • Initialize a queue with start nodes.
  • Pop, process, and enqueue neighbors.
  • Track visited nodes.

Example

Input ["RecentCounter", "ping", "ping", "ping", "ping"] [[], [1], [100], [3001], [3002]] Output [null, 1, 2, 3, 3] Explanation RecentCounter recentCounter = new RecentCounter(); recentCounter.ping(1); // requests = [1], range is [-2999,1], return 1 recentCounter.ping(100); // requests = [1, 100], range is [-2900,100], return 2 recentCounter.ping(3001); // requests = [1, 100, 3001], range is [1,3001], return 3 recentCounter.ping(3002); // requests = [1, 100, 3001, 3002], range is [2,3002], return 3

Python Solution

class RecentCounter: def __init__(self): self.q = deque() def ping(self, t: int) -> int: self.q.append(t) while self.q[0] < t - 3000: self.q.popleft() return len(self.q) # Your RecentCounter object will be instantiated and called as such: # obj = RecentCounter() # param_1 = obj.ping(t)

Complexity

The time complexity is O(V+E). The space complexity is O(V).

Edge Cases and Pitfalls

Watch for boundary values, empty inputs, and duplicate values where applicable. If the problem involves ordering or constraints, confirm the invariant is preserved at every step.

Summary

This Python solution focuses on the essential structure of the problem and keeps the implementation interview-friendly while meeting the constraints.


Ace your next coding interview

We're here to help you ace your next coding interview.

Subscribe
Stealth Interview
© 2026 Stealth Interview®Stealth Interview is a registered trademark. All rights reserved.
Product
  • Blog
  • Pricing
Company
  • Terms of Service
  • Privacy Policy