🛈 Note: This is pre-release documentation for the upcoming tracing 0.2.0 ecosystem.

For the release documentation, please see docs.rs, instead.

tracing_subscriber/
reload.rs

1//! Wrapper for a `Collect` or `Subscribe` to allow it to be dynamically reloaded.
2//!
3//! This module provides a type implementing [`Subscribe`] and [`Filter`]
4//! which wraps another type implementing the corresponding trait. This
5//! allows the wrapped type to be replaced with another
6//! instance of that type at runtime.
7//!
8//! This can be used in cases where a subset of `Collect` or `Filter` functionality
9//! should be dynamically reconfigured, such as when filtering directives may
10//! change at runtime. Note that this subscriber introduces a (relatively small)
11//! amount of overhead, and should thus only be used as needed.
12//!
13//! ## Note
14//!
15//! //! The [`Subscribe`] implementation is unable to implement downcasting functionality,
16//! so certain `Subscribers` will fail to reload if wrapped in a `reload::Subscriber`.
17//!
18//! If you only want to be able to dynamically change the
19//! `Filter` on your layer, prefer wrapping that `Filter` in the `reload::Subscriber`.
20//!
21//! [`Subscribe`]: crate::Subscribe
22//! [`Filter`]: crate::subscribe::Filter
23use crate::subscribe;
24use crate::sync::RwLock;
25
26use core::{any::TypeId, ptr::NonNull};
27use std::{
28    error, fmt,
29    sync::{Arc, Weak},
30};
31use tracing_core::{
32    callsite,
33    collect::{Collect, Interest},
34    span, Dispatch, Event, LevelFilter, Metadata,
35};
36
37/// Wraps a `Filter` or `Subscribe`, allowing it to be reloaded dynamically at runtime.
38///
39/// [`Filter`]: crate::subscribe::Filter
40/// [`Subscribe`]: crate::Subscribe
41#[derive(Debug)]
42pub struct Subscriber<S> {
43    // TODO(eliza): this once used a `crossbeam_util::ShardedRwLock`. We may
44    // eventually wish to replace it with a sharded lock implementation on top
45    // of our internal `RwLock` wrapper type. If possible, we should profile
46    // this first to determine if it's necessary.
47    inner: Arc<RwLock<S>>,
48}
49
50/// Allows reloading the state of an associated `Collect`.
51#[derive(Debug)]
52pub struct Handle<S> {
53    inner: Weak<RwLock<S>>,
54}
55
56/// Indicates that an error occurred when reloading a subscriber.
57#[derive(Debug)]
58pub struct Error {
59    kind: ErrorKind,
60}
61
62#[derive(Debug)]
63enum ErrorKind {
64    CollectorGone,
65    Poisoned,
66}
67
68// ===== impl Collect =====
69
70impl<S, C> crate::Subscribe<C> for Subscriber<S>
71where
72    S: crate::Subscribe<C> + 'static,
73    C: Collect,
74{
75    fn on_register_dispatch(&self, collector: &Dispatch) {
76        try_lock!(self.inner.read()).on_register_dispatch(collector);
77    }
78
79    #[inline]
80    fn register_callsite(&self, metadata: &'static Metadata<'static>) -> Interest {
81        try_lock!(self.inner.read(), else return Interest::sometimes()).register_callsite(metadata)
82    }
83
84    #[inline]
85    fn enabled(&self, metadata: &Metadata<'_>, ctx: subscribe::Context<'_, C>) -> bool {
86        try_lock!(self.inner.read(), else return false).enabled(metadata, ctx)
87    }
88
89    #[inline]
90    fn on_new_span(
91        &self,
92        attrs: &span::Attributes<'_>,
93        id: &span::Id,
94        ctx: subscribe::Context<'_, C>,
95    ) {
96        try_lock!(self.inner.read()).on_new_span(attrs, id, ctx)
97    }
98
99    #[inline]
100    fn on_record(
101        &self,
102        span: &span::Id,
103        values: &span::Record<'_>,
104        ctx: subscribe::Context<'_, C>,
105    ) {
106        try_lock!(self.inner.read()).on_record(span, values, ctx)
107    }
108
109    #[inline]
110    fn on_follows_from(&self, span: &span::Id, follows: &span::Id, ctx: subscribe::Context<'_, C>) {
111        try_lock!(self.inner.read()).on_follows_from(span, follows, ctx)
112    }
113
114    #[inline]
115    fn event_enabled(&self, event: &Event<'_>, ctx: subscribe::Context<'_, C>) -> bool {
116        try_lock!(self.inner.read(), else return false).event_enabled(event, ctx)
117    }
118
119    #[inline]
120    fn on_event(&self, event: &Event<'_>, ctx: subscribe::Context<'_, C>) {
121        try_lock!(self.inner.read()).on_event(event, ctx)
122    }
123
124    #[inline]
125    fn on_enter(&self, id: &span::Id, ctx: subscribe::Context<'_, C>) {
126        try_lock!(self.inner.read()).on_enter(id, ctx)
127    }
128
129    #[inline]
130    fn on_exit(&self, id: &span::Id, ctx: subscribe::Context<'_, C>) {
131        try_lock!(self.inner.read()).on_exit(id, ctx)
132    }
133
134    #[inline]
135    fn on_close(&self, id: span::Id, ctx: subscribe::Context<'_, C>) {
136        try_lock!(self.inner.read()).on_close(id, ctx)
137    }
138
139    #[inline]
140    fn on_id_change(&self, old: &span::Id, new: &span::Id, ctx: subscribe::Context<'_, C>) {
141        try_lock!(self.inner.read()).on_id_change(old, new, ctx)
142    }
143
144    #[inline]
145    fn max_level_hint(&self) -> Option<LevelFilter> {
146        try_lock!(self.inner.read(), else return None).max_level_hint()
147    }
148
149    #[doc(hidden)]
150    unsafe fn downcast_raw(&self, id: TypeId) -> Option<NonNull<()>> {
151        // Safety: it is generally unsafe to downcast through a reload, because
152        // the pointer can be invalidated after the lock is dropped.
153        // `NoneLayerMarker` is a special case because it
154        // is never dereferenced.
155        //
156        // Additionally, even if the marker type *is* dereferenced (which it
157        // never will be), the pointer should be valid even if the subscriber
158        // is reloaded, because all `NoneLayerMarker` pointers that we return
159        // actually point to the global static singleton `NoneLayerMarker`,
160        // rather than to a field inside the lock.
161        if id == TypeId::of::<subscribe::NoneLayerMarker>() {
162            return try_lock!(self.inner.read(), else return None).downcast_raw(id);
163        }
164
165        None
166    }
167}
168
169#[cfg(all(feature = "registry", feature = "std"))]
170#[cfg_attr(docsrs, doc(cfg(all(feature = "registry", feature = "std"))))]
171impl<S, C> crate::subscribe::Filter<C> for Subscriber<S>
172where
173    S: crate::subscribe::Filter<C> + 'static,
174    C: Collect,
175{
176    #[inline]
177    fn callsite_enabled(&self, metadata: &'static Metadata<'static>) -> Interest {
178        try_lock!(self.inner.read(), else return Interest::sometimes()).callsite_enabled(metadata)
179    }
180
181    #[inline]
182    fn enabled(&self, metadata: &Metadata<'_>, ctx: &subscribe::Context<'_, C>) -> bool {
183        try_lock!(self.inner.read(), else return false).enabled(metadata, ctx)
184    }
185
186    #[inline]
187    fn on_new_span(
188        &self,
189        attrs: &span::Attributes<'_>,
190        id: &span::Id,
191        ctx: subscribe::Context<'_, C>,
192    ) {
193        try_lock!(self.inner.read()).on_new_span(attrs, id, ctx)
194    }
195
196    #[inline]
197    fn on_record(
198        &self,
199        span: &span::Id,
200        values: &span::Record<'_>,
201        ctx: subscribe::Context<'_, C>,
202    ) {
203        try_lock!(self.inner.read()).on_record(span, values, ctx)
204    }
205
206    #[inline]
207    fn on_enter(&self, id: &span::Id, ctx: subscribe::Context<'_, C>) {
208        try_lock!(self.inner.read()).on_enter(id, ctx)
209    }
210
211    #[inline]
212    fn on_exit(&self, id: &span::Id, ctx: subscribe::Context<'_, C>) {
213        try_lock!(self.inner.read()).on_exit(id, ctx)
214    }
215
216    #[inline]
217    fn on_close(&self, id: span::Id, ctx: subscribe::Context<'_, C>) {
218        try_lock!(self.inner.read()).on_close(id, ctx)
219    }
220
221    #[inline]
222    fn max_level_hint(&self) -> Option<LevelFilter> {
223        try_lock!(self.inner.read(), else return None).max_level_hint()
224    }
225}
226
227impl<T> Subscriber<T> {
228    /// Wraps the given `Subscribe` or `Filter`,
229    /// returning a subscriber or filter and a `Handle` that allows
230    /// the inner type to be modified at runtime.
231    ///
232    /// [`Filter`]: crate::subscribe::Filter
233    /// [`Subscribe`]: crate::Subscribe
234    pub fn new(inner: T) -> (Self, Handle<T>) {
235        let this = Self {
236            inner: Arc::new(RwLock::new(inner)),
237        };
238        let handle = this.handle();
239        (this, handle)
240    }
241
242    /// Returns a `Handle` that can be used to reload the wrapped `Subscribe`.
243    pub fn handle(&self) -> Handle<T> {
244        Handle {
245            inner: Arc::downgrade(&self.inner),
246        }
247    }
248}
249
250// ===== impl Handle =====
251
252impl<T> Handle<T> {
253    /// Replace the current subscriber or filter with the provided `new_value`.
254    ///
255    /// [`Handle::reload`] cannot be used with the [`Filtered`](crate::filter::Filtered)
256    /// subscriber; use [`Handle::modify`] instead (see [this issue] for additional details).
257    ///
258    /// However, if the _only_ the [`Filter`](crate::subscribe::Filter) needs to be modified,
259    /// use `reload::Subscriber` to wrap the `Filter` directly.
260    ///
261    /// [this issue]: https://github.com/tokio-rs/tracing/issues/1629
262    pub fn reload(&self, new_value: impl Into<T>) -> Result<(), Error> {
263        self.modify(|object| {
264            *object = new_value.into();
265        })
266    }
267
268    /// Invokes a closure with a mutable reference to the current subscriber,
269    /// allowing it to be modified in place.
270    pub fn modify(&self, f: impl FnOnce(&mut T)) -> Result<(), Error> {
271        let inner = self.inner.upgrade().ok_or(Error {
272            kind: ErrorKind::CollectorGone,
273        })?;
274
275        let mut lock = try_lock!(inner.write(), else return Err(Error::poisoned()));
276        f(&mut *lock);
277        // Release the lock before rebuilding the interest cache, as that
278        // function will lock the new subscriber.
279        drop(lock);
280
281        callsite::rebuild_interest_cache();
282
283        // If the `log` crate compatibility feature is in use, set `log`'s max
284        // level as well, in case the max `tracing` level changed. We do this
285        // *after* rebuilding the interest cache, as that's when the `tracing`
286        // max level filter is re-computed.
287        #[cfg(feature = "tracing-log")]
288        tracing_log::log::set_max_level(tracing_log::AsLog::as_log(
289            &crate::filter::LevelFilter::current(),
290        ));
291
292        Ok(())
293    }
294
295    /// Returns a clone of the subscriber's current value if it still exists.
296    /// Otherwise, if the collector has been dropped, returns `None`.
297    pub fn clone_current(&self) -> Option<T>
298    where
299        T: Clone,
300    {
301        self.with_current(T::clone).ok()
302    }
303
304    /// Invokes a closure with a borrowed reference to the current subscriber,
305    /// returning the result (or an error if the collector no longer exists).
306    pub fn with_current<T2>(&self, f: impl FnOnce(&T) -> T2) -> Result<T2, Error> {
307        let inner = self.inner.upgrade().ok_or(Error {
308            kind: ErrorKind::CollectorGone,
309        })?;
310        let inner = try_lock!(inner.read(), else return Err(Error::poisoned()));
311        Ok(f(&*inner))
312    }
313}
314
315impl<T> Clone for Handle<T> {
316    fn clone(&self) -> Self {
317        Handle {
318            inner: self.inner.clone(),
319        }
320    }
321}
322
323// ===== impl Error =====
324
325impl Error {
326    fn poisoned() -> Self {
327        Self {
328            kind: ErrorKind::Poisoned,
329        }
330    }
331
332    /// Returns `true` if this error occurred because the subscriber was poisoned by
333    /// a panic on another thread.
334    pub fn is_poisoned(&self) -> bool {
335        matches!(self.kind, ErrorKind::Poisoned)
336    }
337
338    /// Returns `true` if this error occurred because the `Collector`
339    /// containing the reloadable subscriber was dropped.
340    pub fn is_dropped(&self) -> bool {
341        matches!(self.kind, ErrorKind::CollectorGone)
342    }
343}
344
345impl fmt::Display for Error {
346    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
347        let msg = match self.kind {
348            ErrorKind::CollectorGone => "subscriber no longer exists",
349            ErrorKind::Poisoned => "lock poisoned",
350        };
351        f.pad(msg)
352    }
353}
354
355impl error::Error for Error {}