use std::{
any::{Any, TypeId},
collections::HashMap,
marker::{Send, Sync},
sync::Arc,
};
#[derive(Clone, Default)]
pub struct ExtraContext(Arc<HashMap<TypeId, ContextItem>>);
type ContextItem = Box<dyn Any + Send + Sync>;
impl ExtraContext {
pub fn single_value<T: Any + Send + Sync>(value: T) -> Self {
[Box::new(value) as _].into_iter().collect()
}
#[cfg(test)]
fn insert<T: Any + Send + Sync>(&mut self, value: T) {
Arc::get_mut(&mut self.0)
.expect("only insert into extra context when there is a single reference to it")
.insert(value.type_id(), Box::new(value));
}
pub fn get<T: 'static>(&self) -> Option<&T> {
self.0
.get(&TypeId::of::<T>())
.and_then(|t| t.downcast_ref())
}
pub fn get_or_default<T: Clone + Default + 'static>(&self) -> T {
self.get().cloned().unwrap_or_default()
}
}
impl FromIterator<ContextItem> for ExtraContext {
fn from_iter<T: IntoIterator<Item = ContextItem>>(iter: T) -> Self {
Self(Arc::new(
iter.into_iter()
.map(|item| ((*item).type_id(), item))
.collect(),
))
}
}
#[cfg(test)]
mod tests {
use super::*;
#[derive(Clone, Eq, PartialEq, Debug, Default)]
struct Peas {
beans: usize,
}
#[derive(Clone, Eq, PartialEq, Debug, Default)]
struct Potatoes(usize);
#[test]
fn get_fetches_item() {
let peas = Peas { beans: 42 };
let potatoes = Potatoes(8);
let mut context = ExtraContext::default();
context.insert(peas);
context.insert(potatoes);
assert_eq!(&Peas { beans: 42 }, context.get::<Peas>().unwrap());
assert_eq!(&Potatoes(8), context.get::<Potatoes>().unwrap());
}
#[test]
fn get_or_default_fetches_item() {
let potatoes = Potatoes(8);
let mut context = ExtraContext::default();
context.insert(potatoes);
assert_eq!(Potatoes(8), context.get_or_default::<Potatoes>());
assert_eq!(Peas::default(), context.get_or_default::<Peas>());
}
#[test]
fn duplicate_types() {
let potatoes = Potatoes(8);
let potatoes99 = Potatoes(99);
let mut context = ExtraContext::default();
context.insert(potatoes);
context.insert(potatoes99);
assert_eq!(&Potatoes(99), context.get::<Potatoes>().unwrap());
}
}