1use std::cmp::Ordering;
9use std::collections::BinaryHeap;
10
11struct Wrapper<K: Ord, V> {
12 key: K,
13 value: V,
14}
15
16impl<K: Ord, V> PartialEq for Wrapper<K, V> {
17 #[inline]
18 fn eq(&self, other: &Self) -> bool {
19 self.key == other.key
20 }
21}
22
23impl<K: Ord, V> Eq for Wrapper<K, V> {}
24
25impl<K: Ord, V> PartialOrd for Wrapper<K, V> {
26 #[inline]
27 fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
28 Some(self.cmp(other))
29 }
30}
31
32impl<K: Ord, V> Ord for Wrapper<K, V> {
33 #[inline]
34 fn cmp(&self, other: &Self) -> Ordering {
35 other.key.cmp(&self.key)
36 }
37}
38
39#[derive(Default)]
40pub struct MinHeap<K: Ord, V> {
41 heap: BinaryHeap<Wrapper<K, V>>,
42}
43
44impl<K: Ord, V> MinHeap<K, V> {
45 pub fn new() -> Self {
46 MinHeap { heap: BinaryHeap::new() }
47 }
48
49 pub fn with_capacity(capacity: usize) -> Self {
50 MinHeap { heap: BinaryHeap::with_capacity(capacity) }
51 }
52
53 #[inline]
54 pub fn push(&mut self, key: K, value: V) {
55 self.heap.push(Wrapper { key, value });
56 }
57
58 #[inline]
59 pub fn pop(&mut self) -> Option<(K, V)> {
60 self.heap.pop().map(|w| (w.key, w.value))
61 }
62
63 #[inline]
64 pub fn peek(&self) -> Option<(&K, &V)> {
65 self.heap.peek().map(|w| (&w.key, &w.value))
66 }
67}