1// taken from https://github.com/hyperium/http/blob/master/src/extensions.rs.
23use crate::sync::{RwLockReadGuard, RwLockWriteGuard};
4use std::{
5 any::{Any, TypeId},
6 collections::HashMap,
7 fmt,
8 hash::{BuildHasherDefault, Hasher},
9};
1011#[allow(warnings)]
12type AnyMap = HashMap<TypeId, Box<dyn Any + Send + Sync>, BuildHasherDefault<IdHasher>>;
1314/// With TypeIds as keys, there's no need to hash them. They are already hashes
15/// themselves, coming from the compiler. The IdHasher holds the u64 of
16/// the TypeId, and then returns it, instead of doing any bit fiddling.
17#[derive(Default, Debug)]
18struct IdHasher(u64);
1920impl Hasher for IdHasher {
21fn write(&mut self, _: &[u8]) {
22unreachable!("TypeId calls write_u64");
23 }
2425#[inline]
26fn write_u64(&mut self, id: u64) {
27self.0 = id;
28 }
2930#[inline]
31fn finish(&self) -> u64 {
32self.0
33}
34}
3536/// An immutable, read-only reference to a Span's extensions.
37#[derive(Debug)]
38#[cfg_attr(docsrs, doc(cfg(feature = "std")))]
39pub struct Extensions<'a> {
40 inner: RwLockReadGuard<'a, ExtensionsInner>,
41}
4243impl<'a> Extensions<'a> {
44#[cfg(feature = "registry")]
45pub(crate) fn new(inner: RwLockReadGuard<'a, ExtensionsInner>) -> Self {
46Self { inner }
47 }
4849/// Immutably borrows a type previously inserted into this `Extensions`.
50pub fn get<T: 'static>(&self) -> Option<&T> {
51self.inner.get::<T>()
52 }
53}
5455/// An mutable reference to a Span's extensions.
56#[derive(Debug)]
57#[cfg_attr(docsrs, doc(cfg(feature = "std")))]
58pub struct ExtensionsMut<'a> {
59 inner: RwLockWriteGuard<'a, ExtensionsInner>,
60}
6162impl<'a> ExtensionsMut<'a> {
63#[cfg(feature = "registry")]
64pub(crate) fn new(inner: RwLockWriteGuard<'a, ExtensionsInner>) -> Self {
65Self { inner }
66 }
6768/// Insert a type into this `Extensions`.
69 ///
70 /// Note that extensions are _not_
71 /// [subscriber]-specific—they are _span_-specific. This means that
72 /// other subscribers can access and mutate extensions that
73 /// a different Subscriber recorded. For example, an application might
74 /// have a subscriber that records execution timings, alongside a subscriber
75 /// that reports spans and events to a distributed
76 /// tracing system that requires timestamps for spans.
77 /// Ideally, if one subscriber records a timestamp _x_, the other subscriber
78 /// should be able to reuse timestamp _x_.
79 ///
80 /// Therefore, extensions should generally be newtypes, rather than common
81 /// types like [`String`](std::string::String), to avoid accidental
82 /// cross-`Subscriber` clobbering.
83 ///
84 /// ## Panics
85 ///
86 /// If `T` is already present in `Extensions`, then this method will panic.
87 ///
88 /// [subscriber]: crate::subscribe::Subscribe
89pub fn insert<T: Send + Sync + 'static>(&mut self, val: T) {
90assert!(self.replace(val).is_none())
91 }
9293/// Replaces an existing `T` into this extensions.
94 ///
95 /// If `T` is not present, `Option::None` will be returned.
96pub fn replace<T: Send + Sync + 'static>(&mut self, val: T) -> Option<T> {
97self.inner.insert(val)
98 }
99100/// Get a mutable reference to a type previously inserted on this `ExtensionsMut`.
101pub fn get_mut<T: 'static>(&mut self) -> Option<&mut T> {
102self.inner.get_mut::<T>()
103 }
104105/// Remove a type from this `Extensions`.
106 ///
107 /// If a extension of this type existed, it will be returned.
108pub fn remove<T: Send + Sync + 'static>(&mut self) -> Option<T> {
109self.inner.remove::<T>()
110 }
111}
112113/// A type map of span extensions.
114///
115/// [ExtensionsInner] is used by [Data] to store and
116/// span-specific data. A given [Subscriber] can read and write
117/// data that it is interested in recording and emitting.
118#[derive(Default)]
119pub(crate) struct ExtensionsInner {
120 map: AnyMap,
121}
122123impl ExtensionsInner {
124/// Create an empty `Extensions`.
125#[cfg(any(test, feature = "registry"))]
126 #[inline]
127pub(crate) fn new() -> ExtensionsInner {
128 ExtensionsInner {
129 map: AnyMap::default(),
130 }
131 }
132133/// Insert a type into this `Extensions`.
134 ///
135 /// If a extension of this type already existed, it will
136 /// be returned.
137pub(crate) fn insert<T: Send + Sync + 'static>(&mut self, val: T) -> Option<T> {
138self.map
139 .insert(TypeId::of::<T>(), Box::new(val))
140 .and_then(|boxed| {
141#[allow(warnings)]
142{
143 (boxed as Box<dyn Any + 'static>)
144 .downcast()
145 .ok()
146 .map(|boxed| *boxed)
147 }
148 })
149 }
150151/// Get a reference to a type previously inserted on this `Extensions`.
152pub(crate) fn get<T: 'static>(&self) -> Option<&T> {
153self.map
154 .get(&TypeId::of::<T>())
155 .and_then(|boxed| (&**boxed as &(dyn Any + 'static)).downcast_ref())
156 }
157158/// Get a mutable reference to a type previously inserted on this `Extensions`.
159pub(crate) fn get_mut<T: 'static>(&mut self) -> Option<&mut T> {
160self.map
161 .get_mut(&TypeId::of::<T>())
162 .and_then(|boxed| (&mut **boxed as &mut (dyn Any + 'static)).downcast_mut())
163 }
164165/// Remove a type from this `Extensions`.
166 ///
167 /// If a extension of this type existed, it will be returned.
168pub(crate) fn remove<T: Send + Sync + 'static>(&mut self) -> Option<T> {
169self.map.remove(&TypeId::of::<T>()).and_then(|boxed| {
170#[allow(warnings)]
171{
172 (boxed as Box<dyn Any + 'static>)
173 .downcast()
174 .ok()
175 .map(|boxed| *boxed)
176 }
177 })
178 }
179180/// Clear the `ExtensionsInner` in-place, dropping any elements in the map but
181 /// retaining allocated capacity.
182 ///
183 /// This permits the hash map allocation to be pooled by the registry so
184 /// that future spans will not need to allocate new hashmaps.
185#[cfg(any(test, feature = "registry"))]
186pub(crate) fn clear(&mut self) {
187self.map.clear();
188 }
189}
190191impl fmt::Debug for ExtensionsInner {
192fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
193 f.debug_struct("Extensions")
194 .field("len", &self.map.len())
195 .field("capacity", &self.map.capacity())
196 .finish()
197 }
198}
199200#[cfg(test)]
201mod tests {
202use super::*;
203204#[derive(Debug, PartialEq)]
205struct MyType(i32);
206207#[test]
208fn test_extensions() {
209let mut extensions = ExtensionsInner::new();
210211 extensions.insert(5i32);
212 extensions.insert(MyType(10));
213214assert_eq!(extensions.get(), Some(&5i32));
215assert_eq!(extensions.get_mut(), Some(&mut 5i32));
216217assert_eq!(extensions.remove::<i32>(), Some(5i32));
218assert!(extensions.get::<i32>().is_none());
219220assert_eq!(extensions.get::<bool>(), None);
221assert_eq!(extensions.get(), Some(&MyType(10)));
222 }
223224#[test]
225fn clear_retains_capacity() {
226let mut extensions = ExtensionsInner::new();
227 extensions.insert(5i32);
228 extensions.insert(MyType(10));
229 extensions.insert(true);
230231assert_eq!(extensions.map.len(), 3);
232let prev_capacity = extensions.map.capacity();
233 extensions.clear();
234235assert_eq!(
236 extensions.map.len(),
2370,
238"after clear(), extensions map should have length 0"
239);
240assert_eq!(
241 extensions.map.capacity(),
242 prev_capacity,
243"after clear(), extensions map should retain prior capacity"
244);
245 }
246247#[test]
248fn clear_drops_elements() {
249use std::sync::Arc;
250struct DropMePlease(Arc<()>);
251struct DropMeTooPlease(Arc<()>);
252253let mut extensions = ExtensionsInner::new();
254let val1 = DropMePlease(Arc::new(()));
255let val2 = DropMeTooPlease(Arc::new(()));
256257let val1_dropped = Arc::downgrade(&val1.0);
258let val2_dropped = Arc::downgrade(&val2.0);
259 extensions.insert(val1);
260 extensions.insert(val2);
261262assert!(val1_dropped.upgrade().is_some());
263assert!(val2_dropped.upgrade().is_some());
264265 extensions.clear();
266assert!(
267 val1_dropped.upgrade().is_none(),
268"after clear(), val1 should be dropped"
269);
270assert!(
271 val2_dropped.upgrade().is_none(),
272"after clear(), val2 should be dropped"
273);
274 }
275}