Problem Description
Design a stack-like data structure to push elements to the stack and pop the most frequent element from the stack.
Implement the FreqStack
class:
FreqStack()
constructs an empty frequency stack.void push(int val)
pushes an integerval
onto the top of the stack.int pop()
removes and returns the most frequent element in the stack.- If there is a tie for the most frequent element, the element closest to the stack's top is removed and returned.
Key Insights
- Track the frequency of each element using a hash table.
- Maintain a stack for each frequency to easily pop the most frequent element.
- Ensure efficient push and pop operations to meet the problem's constraints.
Space and Time Complexity
Time Complexity: O(1) for both push and pop operations on average.
Space Complexity: O(n) where n is the number of distinct elements pushed onto the stack.
Solution
To solve the problem, we utilize two main data structures:
- A hash table (dictionary) to record the frequency of each element.
- A list of stacks (array of stacks) where the index corresponds to the frequency of the elements. This allows us to directly access the stack of the most frequent elements.
When pushing an element, we increment its frequency in the hash table and push it onto the corresponding stack. When popping, we check the highest index in our list of stacks (which represents the highest frequency), pop from that stack, decrement the frequency of the element, and update the hash table accordingly.