-
Notifications
You must be signed in to change notification settings - Fork 0
/
heap.cpp
79 lines (65 loc) · 1.93 KB
/
heap.cpp
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
70
71
72
73
74
75
76
77
78
79
#include <iostream>
#include <vector>
using namespace std;
struct Heap {
vector<int> heap;
Heap() {}
//ヒープ値にxを挿入
void push(int x){
heap.push_back(x); //最後尾に挿入
int i = (int)heap.size() - 1; //挿入された頂点番号
while ( i > 0 ){
int p = ( i - 1 ) / 2; //親の頂点番号
if ( heap[p] >= x ){ //親の方が大きいならば
break; //逆転がなければ終了
}
heap[i] = heap[p]; //自分の値を親の値にする
i = p; //自分は上に行く
}
heap[i] = x; //xは最終的にこの位置に持ってくる
}
//最大値を知る
int top(){
if ( !heap.empty() ){
return heap[0]; //根を返す
}
else{
return -1;
}
}
//最大値を削除
void pop(){
if ( heap.empty() ){
return;
}
int x = heap.back(); //頂点に持ってくる値
heap.pop_back();
int i = 0; //根から下ろしていく
while ( i * 2 + 1 < (int)heap.size() ){ //i * 2 + 1は左側の子
//子頂点同士を比較して大きい方をleftChildとする
int leftChild = i * 2 + 1;
int rightChild = i * 2 + 2;
if ( rightChild < (int)heap.size() && heap[rightChild] > heap[leftChild] ){ //rightChild < (int)heap.size()は配列のサイズからずれないようにチェック
leftChild = rightChild;
}
if ( heap[leftChild] <= x ){ //逆転がなければ終了
break;
}
heap[i] = heap[leftChild]; //自分の値を子頂点の値にする
i = leftChild; //自分は下に行く
}
heap[i] = x; //xは最終的にこの位置に持ってくる
}
};
int main(){
Heap h;
h.push(5);
h.push(3);
h.push(7);
h.push(1);
cout << h.top() << endl; //7
h.pop();
cout << h.top() << endl; //5
h.push(11);
cout << h.top() << endl; //11
}