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:


Test Cases

Example 1:

Input
["FreqStack", "push", "push", "push", "push", "push", "push", "pop", "pop", "pop", "pop"]
[[], [5], [7], [5], [7], [4], [5], [], [], [], []]
Output
[null, null, null, null, null, null, null, 5, 7, 5, 4]

Explanation
FreqStack freqStack = new FreqStack();
freqStack.push(5); // The stack is [5]
freqStack.push(7); // The stack is [5,7]
freqStack.push(5); // The stack is [5,7,5]
freqStack.push(7); // The stack is [5,7,5,7]
freqStack.push(4); // The stack is [5,7,5,7,4]
freqStack.push(5); // The stack is [5,7,5,7,4,5]
freqStack.pop();   // return 5, as 5 is the most frequent. The stack becomes [5,7,5,7,4].
freqStack.pop();   // return 7, as 5 and 7 is the most frequent, but 7 is closest to the top. The stack becomes [5,7,5,4].
freqStack.pop();   // return 5, as 5 is the most frequent. The stack becomes [5,7,4].
freqStack.pop();   // return 4, as 4, 5 and 7 is the most frequent, but 4 is closest to the top. The stack becomes [5,7].

Example 2:

Input
["FreqStack","push","push","push","push","pop", "pop", "push", "push", "push", "pop", "pop", "pop"]
[[],[1], [1], [1], [2], [], [], [2], [2], [1], [], [], []]
Output
[null,null,null,null,null,1,1,null,null,null,2,1,2]

Solution

class FreqStack {

    private PriorityQueue<Node> pq;
    private Map<Integer, Integer> freq;
    private int index;
    public FreqStack() {
        pq = new PriorityQueue<>();
        freq = new HashMap<>();
        index = 0;
    }

    public void push(int val) {
        freq.put(val, freq.getOrDefault(val, 0) + 1);
        pq.offer(new Node(val, freq.get(val), index++));
    }

    public int pop() {
        Node top = pq.poll();
        freq.put(top.val, freq.get(top.val) - 1);
        return top.val;
    }
}

class Node implements Comparable<Node> {
    int val;
    int freq;
    int index;
    Node(int v, int f, int i) {
        val = v;
        freq = f;
        index = i;
    }

    public int compareTo(Node o) {
        if (this.freq != o.freq) return o.freq - this.freq;
        return o.index - this.index;
    }
}

/**
 * Your FreqStack object will be instantiated and called as such:
 * FreqStack obj = new FreqStack();
 * obj.push(val);
 * int param_2 = obj.pop();
 */
Time Complexity: O(logn)
Space Complexity: O(n)