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
use std::any::{Any, TypeId};
use std::fmt;
pub(crate) struct AnyMapElement {
value: Box<dyn Any + 'static + Send + Sync>,
clone_fn: fn(&Box<dyn Any + 'static + Send + Sync>) -> Box<dyn Any + 'static + Send + Sync>,
}
impl fmt::Debug for AnyMapElement {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("AnyMapElement")
.field("value_type_id", &self.type_id())
.finish()
}
}
impl Clone for AnyMapElement {
fn clone(&self) -> Self {
AnyMapElement {
value: (self.clone_fn)(&self.value),
clone_fn: self.clone_fn,
}
}
}
pub trait AnyMapTrait: 'static + Any + Clone + Send + Sync {}
impl<T: 'static + Any + Clone + Send + Sync> AnyMapTrait for T {}
impl AnyMapElement {
pub(crate) fn new<T: AnyMapTrait>(t: T) -> Self {
AnyMapElement {
value: Box::new(t),
clone_fn: |x| {
let x = x.downcast_ref::<T>().unwrap();
Box::new(x.clone())
},
}
}
pub(crate) fn type_id(&self) -> TypeId {
(*self.value).type_id()
}
pub(crate) fn get_mut<T: AnyMapTrait>(&mut self) -> Option<&mut T> {
self.value.downcast_mut()
}
pub(crate) fn get_mut_or_set_with<T: AnyMapTrait>(
&mut self,
set_with: impl FnOnce() -> T,
) -> &mut T {
if !self.value.is::<T>() {
*self = Self::new(set_with());
}
self.value.downcast_mut().unwrap()
}
}