Problem Description
Design a data structure that keeps track of the values in it and answers some queries regarding their frequencies. Implement the FrequencyTracker
class with the following methods:
FrequencyTracker()
: Initializes theFrequencyTracker
object with an empty array initially.void add(int number)
: Addsnumber
to the data structure.void deleteOne(int number)
: Deletes one occurrence ofnumber
from the data structure. The data structure may not containnumber
, and in this case nothing is deleted.bool hasFrequency(int frequency)
: Returnstrue
if there is a number in the data structure that occursfrequency
number of times, otherwise, it returnsfalse
.
Key Insights
- We need to maintain the frequency of each number added to the data structure.
- We also need to keep track of how many numbers have a specific frequency.
- Efficiently manage add, delete, and frequency check operations.
Space and Time Complexity
Time Complexity:
add
: O(1)deleteOne
: O(1)hasFrequency
: O(1)
Space Complexity: O(n) where n is the number of unique numbers added to the data structure.
Solution
To solve this problem, we can use two hash tables (or dictionaries):
number_count
: This keeps track of how many times each number has been added.frequency_count
: This keeps track of how many numbers have a specific frequency.
The add
method increments the count of the number and updates the frequency count accordingly. The deleteOne
method decrements the count of the number (if it exists) and updates the frequency count. The hasFrequency
method simply checks if any number has the specified frequency.