-
Notifications
You must be signed in to change notification settings - Fork 26
/
Copy pathPriorityQueue.cs
106 lines (80 loc) · 2.1 KB
/
PriorityQueue.cs
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
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
using System;
using System.Collections.Generic;
class MinHeap<T> where T : IComparable<T> {
private List <T> heap = new List<T>();
private int Parent(int n) {
return (n - 1) / 2;
}
private int Left(int n) {
return 2 * n + 1;
}
private int Right(int n) {
return 2 * n + 2;
}
public void Add(T element) {
heap.Add(element);
int i = heap.Count - 1;
while (i > 0 && heap[i].CompareTo(heap[Parent(i)]) == -1) {
T temp = heap[i];
heap[i] = heap[Parent(i)];
heap[Parent(i)] = temp;
i = Parent(i);
}
}
public T Peek() {
return heap[0];
}
public T RemoveMin() {
T root = heap[0];
int size = heap.Count;
heap[0] = heap[size-1];
heap.RemoveAt(size-1);
MinHeapify(0);
return root;
}
public void MinHeapify(int pos) {
int l = Left(pos);
int r = Right(pos);
int smallest = pos;
if (l < heap.Count && heap[l].CompareTo(heap[smallest]) == -1) {
smallest = l;
}
if (r < heap.Count && heap[r].CompareTo(heap[smallest]) == -1) {
smallest = r;
}
if (pos != smallest) {
T temp = heap[pos];
heap[pos] = heap[smallest];
heap[smallest] = temp;
MinHeapify(smallest);
}
}
public int Count() {
return heap.Count;
}
}
public class PriorityQueue<T> {
internal class Node : IComparable<Node> {
public int priority;
public T obj;
public int CompareTo(Node other) {
return priority.CompareTo(other.priority);
}
}
private MinHeap <Node> minHeap = new MinHeap<Node>();
public void Add(T element, int prior) {
minHeap.Add(new Node() {
obj = element,
priority = prior
});
}
public T RemoveMin() {
return minHeap.RemoveMin().obj;
}
public T Peek() {
return minHeap.Peek().obj;
}
public int Count() {
return minHeap.Count();
}
}