howudoin/flat_tree.rs
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 107
//! A common abstraction of a 'flat' tree which tracks the nodes with an ordered map and the set of
//! root nodes.
//!
//! This pattern is common with implementors of [`crate::Consume`] so is presented here, but is by
//! no means a feature complete implementation.
use std::{
borrow::Borrow,
collections::{BTreeMap, BTreeSet},
};
/// A common abstraction of a 'flat' tree which tracks the nodes with an ordered map and the set of
/// root nodes.
///
/// Note that the data structures use ordered maps and sets which work well with the incrementing
/// [`crate::Id`] key.
pub struct FlatTree<K, V> {
/// The nodes.
pub nodes: BTreeMap<K, V>,
/// The set of root nodes.
pub roots: BTreeSet<K>,
}
impl<K, V> Default for FlatTree<K, V> {
fn default() -> Self {
Self {
nodes: Default::default(),
roots: Default::default(),
}
}
}
impl<K, V> FlatTree<K, V>
where
K: Clone + Eq + Ord,
{
/// Get a node's value using the key.
pub fn get<Q>(&self, k: &Q) -> Option<&V>
where
K: Borrow<Q>,
Q: Eq + Ord,
{
self.nodes.get(k)
}
/// Get a node's value (mutable reference) using the key.
pub fn get_mut<Q>(&mut self, k: &Q) -> Option<&mut V>
where
K: Borrow<Q>,
Q: Eq + Ord,
{
self.nodes.get_mut(k)
}
/// Insert a root node.
pub fn insert_root(&mut self, k: K, v: V) -> Option<V> {
let x = self.insert(k.clone(), v);
self.roots.insert(k);
x
}
/// Insert a node.
///
/// If the node is a root node, [`insert_root`] should be used.
///
/// [`insert_root`]: Self::insert_root
pub fn insert(&mut self, k: K, v: V) -> Option<V> {
self.nodes.insert(k, v)
}
/// Remove a node with the key.
pub fn remove<Q>(&mut self, k: &Q) -> Option<V>
where
K: Borrow<Q>,
Q: Eq + Ord,
{
let x = self.nodes.remove(k);
self.roots.remove(k);
x
}
/// Does the structure contain a node with the key.
pub fn contains_node<Q>(&self, k: &Q) -> bool
where
K: Borrow<Q>,
Q: Eq + Ord,
{
self.nodes.contains_key(k)
}
/// Check if a key is a root node.
pub fn is_root<Q>(&self, k: &Q) -> bool
where
K: Borrow<Q>,
Q: Eq + Ord,
{
self.roots.contains(k)
}
/// An iterator over the roots, fetching the nodes' values.
pub fn roots(&self) -> impl Iterator<Item = (&K, &V)> {
self.roots
.iter()
.filter_map(|k| self.get(k).map(|v| (k, v)))
}
}