-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path545.h
69 lines (65 loc) · 1.57 KB
/
545.h
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
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
#define LEFTNODE(i) (2 * (i) + 1)
#define RIGHTNODE(i) (2 * (i) + 2)
#define PARENTNODE(i)((i) > 0 ? ((i) - 1) / 2 : -1)
class Solution {
public:
/*
* @param k: An integer
*/Solution(int k) {
// do intialization if necessary
top = k;
count = 0;
}
/*
* @param num: Number to be added
* @return: nothing
*/
void add(int num) {
// write your code here
items.push_back(num);
count++;
shiftUp(count-1);
}
/*
* @return: Top k element
*/
vector<int> topk() {
// write your code here
vector<int> v;
vector<int> items_cpy = items;
for(int i = 0; i < top && count != 0; i++){
v.push_back(extractMax());
}
count = items_cpy.size();
items = items_cpy;
return v;
}
private:
vector<int> items;
int count;
int top;
void shiftUp(int i ){
while(i > 0 && items[i] > items[PARENTNODE(i)]){
swap(items[i], items[PARENTNODE(i)]);
i = PARENTNODE(i);
}
}
void shiftDown(int i){
while(LEFTNODE(i) < count){
int j = LEFTNODE(i);
if(RIGHTNODE(i) < count && items[j] < items[RIGHTNODE(i)])
j = RIGHTNODE(i);
if(items[i] > items[j]) break;
swap(items[i], items[j]);
i = j;
}
}
int extractMax(){
int v = items[0];
swap(items[0], items[count-1]);
count--;
items.pop_back();
shiftDown(0);
return v;
}
};