Problem Description
Design and implement a data structure for a Least Frequently Used (LFU) cache. Implement the LFUCache class with the following methods:
- LFUCache(int capacity): Initializes the object with the capacity of the data structure.
- int get(int key): Gets the value of the key if it exists in the cache, otherwise returns -1.
- void put(int key, int value): Updates the value of the key if present, or inserts the key if not already present. When the cache reaches its capacity, it invalidates and removes the least frequently used key before inserting a new item.
Key Insights
- The cache must track the frequency of accesses for each key.
- When the cache exceeds its capacity, it must evict the least frequently used key.
- In case of a tie in frequency, the least recently used key should be evicted.
- Operations (get and put) should be efficient, ideally O(1) time complexity.
Space and Time Complexity
Time Complexity: O(1) for both get and put operations on average.
Space Complexity: O(capacity) for storing the keys and their associated data.
Solution
To solve the LFU Cache problem, we use a combination of:
- A hash map to store the key-value pairs and their frequencies.
- A second hash map (or a linked list) to store keys by their frequency for efficient removal of the least frequently used key.
- A variable to track the least frequency and a mechanism to update the frequency of keys when they are accessed or modified.
The primary data structures used are:
- A hash map (dictionary) for storing keys and their values along with their frequencies.
- A doubly linked list to maintain the order of keys by their access frequency.