| | 1 | | using System.Collections; |
| | 2 | | using System.Collections.Generic; |
| | 3 | | using System.Linq; |
| | 4 | |
|
| | 5 | | // The priority queue dequeues elements in order of increasing priority. |
| | 6 | | public class PriorityQueue<T> : IEnumerable<T> { |
| | 7 | | // Buffer containing the data. |
| 0 | 8 | | private SortedDictionary<float, Queue<T>> _buffer = new SortedDictionary<float, Queue<T>>(); |
| | 9 | |
|
| | 10 | | // Return whether the priority queue is empty. |
| 0 | 11 | | public bool IsEmpty() { |
| 0 | 12 | | return _buffer.Count == 0; |
| 0 | 13 | | } |
| | 14 | |
|
| | 15 | | // Enqueue an item. |
| 0 | 16 | | public void Enqueue(T item, float priority) { |
| 0 | 17 | | if (!_buffer.ContainsKey(priority)) { |
| 0 | 18 | | _buffer[priority] = new Queue<T>(); |
| 0 | 19 | | } |
| 0 | 20 | | _buffer[priority].Enqueue(item); |
| 0 | 21 | | } |
| | 22 | |
|
| | 23 | | // Dequeue the item with the lowest priority value. |
| 0 | 24 | | public T Dequeue() { |
| 0 | 25 | | if (IsEmpty()) { |
| 0 | 26 | | throw new System.InvalidOperationException("The priority queue is empty."); |
| | 27 | | } |
| | 28 | |
|
| 0 | 29 | | float minKey = _buffer.Keys.Min(); |
| 0 | 30 | | Queue<T> queue = _buffer[minKey]; |
| 0 | 31 | | T item = queue.Dequeue(); |
| 0 | 32 | | if (queue.Count == 0) { |
| 0 | 33 | | _buffer.Remove(minKey); |
| 0 | 34 | | } |
| 0 | 35 | | return item; |
| 0 | 36 | | } |
| | 37 | |
|
| | 38 | | // Peek the item with the lowest priority value. |
| 0 | 39 | | public T Peek() { |
| 0 | 40 | | if (IsEmpty()) { |
| 0 | 41 | | throw new System.InvalidOperationException("The priority queue is empty."); |
| | 42 | | } |
| | 43 | |
|
| 0 | 44 | | float minKey = _buffer.Keys.Min(); |
| 0 | 45 | | return _buffer[minKey].Peek(); |
| 0 | 46 | | } |
| | 47 | |
|
| | 48 | | // Return an enumerator for the priority queue. |
| 0 | 49 | | public IEnumerator<T> GetEnumerator() { |
| 0 | 50 | | foreach (var pair in _buffer) { |
| 0 | 51 | | foreach (var item in pair.Value) { |
| 0 | 52 | | yield return item; |
| 0 | 53 | | } |
| 0 | 54 | | } |
| 0 | 55 | | } |
| 0 | 56 | | IEnumerator IEnumerable.GetEnumerator() { |
| 0 | 57 | | return GetEnumerator(); |
| 0 | 58 | | } |
| | 59 | | } |