-
Notifications
You must be signed in to change notification settings - Fork 23
/
Copy path0895-maximum-frequency-stack.js
52 lines (46 loc) · 1.41 KB
/
0895-maximum-frequency-stack.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
/**
* 895. Maximum Frequency Stack
* https://leetcode.com/problems/maximum-frequency-stack/
* Difficulty: Hard
*
* 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 integer val 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.
*/
var FreqStack = function() {
this.frequencyMap = new Map();
this.groupMap = new Map();
this.maxFrequency = 0;
};
/**
* @param {number} val
* @return {void}
*/
FreqStack.prototype.push = function(val) {
const frequency = (this.frequencyMap.get(val) || 0) + 1;
this.frequencyMap.set(val, frequency);
this.maxFrequency = Math.max(this.maxFrequency, frequency);
if (!this.groupMap.has(frequency)) {
this.groupMap.set(frequency, []);
}
this.groupMap.get(frequency).push(val);
};
/**
* @return {number}
*/
FreqStack.prototype.pop = function() {
const topGroup = this.groupMap.get(this.maxFrequency);
const val = topGroup.pop();
this.frequencyMap.set(val, this.maxFrequency - 1);
if (topGroup.length === 0) {
this.groupMap.delete(this.maxFrequency);
this.maxFrequency--;
}
return val;
};