forked from jainaman224/Algo_Ds_Notes
-
Notifications
You must be signed in to change notification settings - Fork 0
/
LeftistPriorityQueue.cpp
83 lines (69 loc) · 2.11 KB
/
LeftistPriorityQueue.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
80
81
82
83
#include <iostream>
#include <algorithm>
struct Leftist {
Leftist *left, *right;
// dis is the distance to the right-bottom side of the tree
int dis, value, size;
Leftist(int val = 0) {
left = NULL, right = NULL;
dis = 0, value = val, size = 1;
}
~Leftist() {
delete left;
delete right;
}
};
Leftist* merge(Leftist *x, Leftist *y) {
// if x or y is NULL, return the other tree to be the answer
if (x == NULL) return y;
if (y == NULL) return x;
if (y->value < x->value) { // Use > here if you want a max priority queue
std::swap(x, y);
}
// We take x as new root, so add the size of y to x
x->size += y->size;
// merge the origin right sub-tree of x with y to construct the new right sub-tree of x
x->right = merge(x->right, y);
if (x->left == NULL && x->right != NULL) {
// if x->left is NULL pointer, swap the sub-trees to make it leftist
std::swap(x->left, x->right);
} else if(x->right != NULL && x->left->dis < x->right->dis) {
// if the distance of left sub-tree is smaller, swap the sub-trees to make it leftist
std::swap(x->left, x->right);
}
// calculate the new distance
if (x->right == NULL) {
x->dis = 0;
} else {
x->dis = x->right->dis + 1;
}
return x;
}
Leftist* delete_root(Leftist *T) {
//deleting root equals to make a new tree containing only left sub-tree and right sub-tree
Leftist *my_left = T->left;
Leftist *my_right = T->right;
T->left = T->right = NULL;
delete T;
return merge(my_left, my_right);
}
int main() {
Leftist *my_tree = new Leftist(10); // create a tree with root = 10
// adding a node to a tree is the same as creating a new tree and merge them together
my_tree = merge(my_tree, new Leftist(100)); // push 100
my_tree = merge(my_tree, new Leftist(10000)); // push 10000
my_tree = merge(my_tree, new Leftist(1)); // push 1
my_tree = merge(my_tree, new Leftist(1266)); // push 1266
while (my_tree != NULL) {
std::cout << my_tree->value << std::endl;
my_tree = delete_root(my_tree);
}
/* the output should be
* 1
* 10
* 100
* 1266
* 10000
*/
return 0;
}