πŸ›ˆ 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/subscribe/
context.rs

1use tracing_core::{collect::Collect, metadata::Metadata, span, Event};
2
3use crate::registry::{self, LookupSpan, SpanRef};
4
5#[cfg(all(feature = "registry", feature = "std"))]
6use crate::{filter::FilterId, registry::Registry};
7/// Represents information about the current context provided to
8/// [subscriber][`Subscribe`]s by the wrapped [collector][`Collect`].
9///
10/// To access [stored data] keyed by a span ID, implementors of the [`Subscribe`]
11/// trait should ensure that the [`Collect`] type parameter is *also* bound by the
12/// [`LookupSpan`]:
13///
14/// ```rust
15/// use tracing::Collect;
16/// use tracing_subscriber::{Subscribe, registry::LookupSpan};
17///
18/// pub struct MySubscriber;
19///
20/// impl<C> Subscribe<C> for MySubscriber
21/// where
22///     C: Collect + for<'a> LookupSpan<'a>,
23/// {
24///     // ...
25/// }
26/// ```
27///
28/// [`Subscribe`]: crate::subscribe::Subscribe
29/// [`Collect`]: tracing_core::Collect
30/// [stored data]: ../registry/struct.SpanRef.html
31/// [`LookupSpan`]: "../registry/trait.LookupSpan.html
32#[derive(Debug)]
33pub struct Context<'a, S> {
34    subscriber: Option<&'a S>,
35    /// The bitmask of all [`Filtered`] subscribers that currently apply in this
36    /// context. If there is only a single [`Filtered`] wrapping the subscriber that
37    /// produced this context, then this is that filter's ID. Otherwise, if we
38    /// are in a nested tree with multiple filters, this is produced by
39    /// [`and`]-ing together the [`FilterId`]s of each of the filters that wrap
40    /// the current subscriber.
41    ///
42    /// [`Filtered`]: crate::filter::Filtered
43    /// [`FilterId`]: crate::filter::FilterId
44    /// [`and`]: crate::filter::FilterId::and
45    #[cfg(all(feature = "registry", feature = "std"))]
46    filter: FilterId,
47}
48
49// === impl Context ===
50
51impl<'a, C> Context<'a, C>
52where
53    C: Collect,
54{
55    pub(super) fn new(subscriber: &'a C) -> Self {
56        Self {
57            subscriber: Some(subscriber),
58
59            #[cfg(feature = "registry")]
60            filter: FilterId::none(),
61        }
62    }
63
64    /// Returns the wrapped collector's view of the current span.
65    #[inline]
66    pub fn current_span(&self) -> span::Current {
67        self.subscriber
68            .map(Collect::current_span)
69            // TODO: this would be more correct as "unknown", so perhaps
70            // `tracing-core` should make `Current::unknown()` public?
71            .unwrap_or_else(span::Current::none)
72    }
73
74    /// Returns whether the wrapped collector would enable the current span.
75    #[inline]
76    pub fn enabled(&self, metadata: &Metadata<'_>) -> bool {
77        self.subscriber
78            .map(|subscriber| subscriber.enabled(metadata))
79            // If this context is `None`, we are registering a callsite, so
80            // return `true` so that the subscriber does not incorrectly assume that
81            // the inner subscriber has disabled this metadata.
82            // TODO(eliza): would it be more correct for this to return an `Option`?
83            .unwrap_or(true)
84    }
85
86    /// Records the provided `event` with the wrapped collector.
87    ///
88    /// # Notes
89    ///
90    /// - The collector is free to expect that the event's callsite has been
91    ///   [registered][register], and may panic or fail to observe the event if this is
92    ///   not the case. The `tracing` crate's macros ensure that all events are
93    ///   registered, but if the event is constructed through other means, the
94    ///   user is responsible for ensuring that [`register_callsite`][register]
95    ///   has been called prior to calling this method.
96    /// - This does _not_ call [`enabled`] on the inner collector. If the
97    ///   caller wishes to apply the wrapped collector's filter before choosing
98    ///   whether to record the event, it may first call [`Context::enabled`] to
99    ///   check whether the event would be enabled. This allows subscriberss to
100    ///   elide constructing the event if it would not be recorded.
101    ///
102    /// [register]: https://docs.rs/tracing-core/latest/tracing_core/subscriber/trait.Subscriber.html#method.register_callsite
103    /// [`enabled`]: https://docs.rs/tracing-core/latest/tracing_core/subscriber/trait.Subscriber.html#method.enabled
104    /// [`Context::enabled`]: #method.enabled
105    #[inline]
106    pub fn event(&self, event: &Event<'_>) {
107        if let Some(subscriber) = self.subscriber {
108            subscriber.event(event);
109        }
110    }
111
112    /// Returns a [`SpanRef`] for the parent span of the given [`Event`], if
113    /// it has a parent.
114    ///
115    /// If the event has an explicitly overridden parent, this method returns
116    /// a reference to that span. If the event's parent is the current span,
117    /// this returns a reference to the current span, if there is one. If this
118    /// returns `None`, then either the event's parent was explicitly set to
119    /// `None`, or the event's parent was defined contextually, but no span
120    /// is currently entered.
121    ///
122    /// Compared to [`Context::current_span`] and [`Context::lookup_current`],
123    /// this respects overrides provided by the [`Event`].
124    ///
125    /// Compared to [`Event::parent`], this automatically falls back to the contextual
126    /// span, if required.
127    ///
128    /// ```rust
129    /// use tracing::{Event, Collect};
130    /// use tracing_subscriber::{
131    ///     subscribe::{Context, Subscribe},
132    ///     prelude::*,
133    ///     registry::LookupSpan,
134    /// };
135    ///
136    /// struct PrintingSubscriber;
137    /// impl<C> Subscribe<C> for PrintingSubscriber
138    /// where
139    ///     C: Collect + for<'lookup> LookupSpan<'lookup>,
140    /// {
141    ///     fn on_event(&self, event: &Event, ctx: Context<C>) {
142    ///         let span = ctx.event_span(event);
143    ///         println!("Event in span: {:?}", span.map(|s| s.name()));
144    ///     }
145    /// }
146    ///
147    /// tracing::collect::with_default(tracing_subscriber::registry().with(PrintingSubscriber), || {
148    ///     tracing::info!("no span");
149    ///     // Prints: Event in span: None
150    ///
151    ///     let span = tracing::info_span!("span");
152    ///     tracing::info!(parent: &span, "explicitly specified");
153    ///     // Prints: Event in span: Some("span")
154    ///
155    ///     let _guard = span.enter();
156    ///     tracing::info!("contextual span");
157    ///     // Prints: Event in span: Some("span")
158    /// });
159    /// ```
160    ///
161    /// <div class="example-wrap" style="display:inline-block">
162    /// <pre class="ignore" style="white-space:normal;font:inherit;">
163    /// <strong>Note</strong>: This requires the wrapped collector to implement the
164    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
165    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
166    /// declaration</a> for details.
167    /// </pre></div>
168    #[inline]
169    pub fn event_span(&self, event: &Event<'_>) -> Option<SpanRef<'_, C>>
170    where
171        C: for<'lookup> LookupSpan<'lookup>,
172    {
173        if event.is_root() {
174            None
175        } else if event.is_contextual() {
176            self.lookup_current()
177        } else {
178            // TODO(eliza): this should handle parent IDs
179            event.parent().and_then(|id| self.span(id))
180        }
181    }
182
183    /// Returns metadata for the span with the given `id`, if it exists.
184    ///
185    /// If this returns `None`, then no span exists for that ID (either it has
186    /// closed or the ID is invalid).
187    #[inline]
188    pub fn metadata(&self, id: &span::Id) -> Option<&'static Metadata<'static>>
189    where
190        C: for<'lookup> LookupSpan<'lookup>,
191    {
192        let span = self.span(id)?;
193        Some(span.metadata())
194    }
195
196    /// Returns [stored data] for the span with the given `id`, if it exists.
197    ///
198    /// If this returns `None`, then no span exists for that ID (either it has
199    /// closed or the ID is invalid).
200    ///
201    /// <div class="example-wrap" style="display:inline-block">
202    /// <pre class="ignore" style="white-space:normal;font:inherit;">
203    /// <strong>Note</strong>: This requires the wrapped collector to implement the
204    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
205    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
206    /// declaration</a> for details.
207    /// </pre></div>
208    ///
209    /// [stored data]: ../registry/struct.SpanRef.html
210    #[inline]
211    pub fn span(&self, id: &span::Id) -> Option<registry::SpanRef<'_, C>>
212    where
213        C: for<'lookup> LookupSpan<'lookup>,
214    {
215        let span = self.subscriber.as_ref()?.span(id)?;
216
217        #[cfg(all(feature = "registry", feature = "std"))]
218        return span.try_with_filter(self.filter);
219
220        #[cfg(not(feature = "registry"))]
221        Some(span)
222    }
223
224    /// Returns `true` if an active span exists for the given `Id`.
225    ///
226    /// <div class="example-wrap" style="display:inline-block">
227    /// <pre class="ignore" style="white-space:normal;font:inherit;">
228    /// <strong>Note</strong>: This requires the wrapped collector to implement the
229    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
230    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
231    /// declaration</a> for details.
232    /// </pre></div>
233    #[inline]
234    pub fn exists(&self, id: &span::Id) -> bool
235    where
236        C: for<'lookup> LookupSpan<'lookup>,
237    {
238        self.subscriber.as_ref().and_then(|s| s.span(id)).is_some()
239    }
240
241    /// Returns [stored data] for the span that the wrapped collector considers
242    /// to be the current.
243    ///
244    /// If this returns `None`, then we are not currently within a span.
245    ///
246    /// <div class="example-wrap" style="display:inline-block">
247    /// <pre class="ignore" style="white-space:normal;font:inherit;">
248    /// <strong>Note</strong>: This requires the wrapped collector to implement the
249    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
250    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
251    /// declaration</a> for details.
252    /// </pre></div>
253    ///
254    /// [stored data]: ../registry/struct.SpanRef.html
255    #[inline]
256    pub fn lookup_current(&self) -> Option<registry::SpanRef<'_, C>>
257    where
258        C: for<'lookup> LookupSpan<'lookup>,
259    {
260        let subscriber = *self.subscriber.as_ref()?;
261        let current = subscriber.current_span();
262        let id = current.id()?;
263        let span = subscriber.span(id);
264        debug_assert!(
265            span.is_some(),
266            "the subscriber should have data for the current span ({:?})!",
267            id,
268        );
269
270        // If we found a span, and our per-subscriber filter enables it, return that
271        #[cfg(all(feature = "registry", feature = "std"))]
272        {
273            if let Some(span) = span?.try_with_filter(self.filter) {
274                Some(span)
275            } else {
276                // Otherwise, the span at the *top* of the stack is disabled by
277                // per-subscriber filtering, but there may be additional spans in the stack.
278                //
279                // Currently, `LookupSpan` doesn't have a nice way of exposing access to
280                // the whole span stack. However, if we can downcast the innermost
281                // collector to a a `Registry`, we can iterate over its current span
282                // stack.
283                //
284                // TODO(eliza): when https://github.com/tokio-rs/tracing/issues/1459 is
285                // implemented, change this to use that instead...
286                self.lookup_current_filtered(subscriber)
287            }
288        }
289
290        #[cfg(not(feature = "registry"))]
291        span
292    }
293
294    /// Slow path for when the current span is disabled by PLF and we have a
295    /// registry.
296    // This is called by `lookup_current` in the case that per-subscriber filtering
297    // is in use. `lookup_current` is allowed to be inlined, but this method is
298    // factored out to prevent the loop and (potentially-recursive) subscriber
299    // downcasting from being inlined if `lookup_current` is inlined.
300    #[inline(never)]
301    #[cfg(all(feature = "registry", feature = "std"))]
302    fn lookup_current_filtered<'lookup>(
303        &self,
304        subscriber: &'lookup C,
305    ) -> Option<registry::SpanRef<'lookup, C>>
306    where
307        C: LookupSpan<'lookup>,
308    {
309        let registry = (subscriber as &dyn Collect).downcast_ref::<Registry>()?;
310        registry
311            .span_stack()
312            .iter()
313            .find_map(|id| subscriber.span(id)?.try_with_filter(self.filter))
314    }
315
316    /// Returns an iterator over the [stored data] for all the spans in the
317    /// current context, starting with the specified span and ending with the
318    /// root of the trace tree.
319    ///
320    /// <div class="information">
321    ///     <div class="tooltip ignore" style="">β“˜<span class="tooltiptext">Note</span></div>
322    /// </div>
323    /// <div class="example-wrap" style="display:inline-block">
324    /// <pre class="ignore" style="white-space:normal;font:inherit;">
325    /// <strong>Note</strong>: This returns the spans in reverse order (from leaf to root). Use
326    /// <a href="../registry/struct.Scope.html#method.from_root"><code>Scope::from_root</code></a>
327    /// in case root-to-leaf ordering is desired.
328    /// </pre></div>
329    ///
330    /// <div class="information">
331    ///     <div class="tooltip ignore" style="">β“˜<span class="tooltiptext">Note</span></div>
332    /// </div>
333    /// <div class="example-wrap" style="display:inline-block">
334    /// <pre class="ignore" style="white-space:normal;font:inherit;">
335    /// <strong>Note</strong>: This requires the wrapped collector to implement the
336    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
337    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
338    /// declaration</a> for details.
339    /// </pre></div>
340    ///
341    /// [stored data]: ../registry/struct.SpanRef.html
342    pub fn span_scope(&self, id: &span::Id) -> Option<registry::Scope<'_, C>>
343    where
344        C: for<'lookup> LookupSpan<'lookup>,
345    {
346        Some(self.span(id)?.scope())
347    }
348
349    /// Returns an iterator over the [stored data] for all the spans in the
350    /// current context, starting with the parent span of the specified event,
351    /// and ending with the root of the trace tree and ending with the current span.
352    ///
353    /// <div class="example-wrap" style="display:inline-block">
354    /// <pre class="ignore" style="white-space:normal;font:inherit;">
355    /// <strong>Note</strong>: Compared to <a href="#method.scope"><code>scope</code></a> this
356    /// returns the spans in reverse order (from leaf to root). Use
357    /// <a href="../registry/struct.Scope.html#method.from_root"><code>Scope::from_root</code></a>
358    /// in case root-to-leaf ordering is desired.
359    /// </pre></div>
360    ///
361    /// <div class="example-wrap" style="display:inline-block">
362    /// <pre class="ignore" style="white-space:normal;font:inherit;">
363    /// <strong>Note</strong>: This requires the wrapped collector to implement the
364    /// <a href="../registry/trait.LookupSpan.html"><code>LookupSpan</code></a> trait.
365    /// See the documentation on <a href="./struct.Context.html"><code>Context</code>'s
366    /// declaration</a> for details.
367    /// </pre></div>
368    ///
369    /// [stored data]: ../registry/struct.SpanRef.html
370    pub fn event_scope(&self, event: &Event<'_>) -> Option<registry::Scope<'_, C>>
371    where
372        C: for<'lookup> LookupSpan<'lookup>,
373    {
374        Some(self.event_span(event)?.scope())
375    }
376
377    #[cfg(all(feature = "registry", feature = "std"))]
378    pub(crate) fn with_filter(self, filter: FilterId) -> Self {
379        // If we already have our own `FilterId`, combine it with the provided
380        // one. That way, the new `FilterId` will consider a span to be disabled
381        // if it was disabled by the given `FilterId` *or* any `FilterId`s for
382        // subscribers "above" us in the stack.
383        //
384        // See the doc comment for `FilterId::and` for details.
385        let filter = self.filter.and(filter);
386        Self { filter, ..self }
387    }
388
389    #[cfg(all(feature = "registry", feature = "std"))]
390    pub(crate) fn is_enabled_for(&self, span: &span::Id, filter: FilterId) -> bool
391    where
392        C: for<'lookup> LookupSpan<'lookup>,
393    {
394        self.is_enabled_inner(span, filter).unwrap_or(false)
395    }
396
397    #[cfg(all(feature = "registry", feature = "std"))]
398    pub(crate) fn if_enabled_for(self, span: &span::Id, filter: FilterId) -> Option<Self>
399    where
400        C: for<'lookup> LookupSpan<'lookup>,
401    {
402        if self.is_enabled_inner(span, filter)? {
403            Some(self.with_filter(filter))
404        } else {
405            None
406        }
407    }
408
409    #[cfg(all(feature = "registry", feature = "std"))]
410    fn is_enabled_inner(&self, span: &span::Id, filter: FilterId) -> Option<bool>
411    where
412        C: for<'lookup> LookupSpan<'lookup>,
413    {
414        Some(self.span(span)?.is_enabled_for(filter))
415    }
416}
417
418impl<S> Context<'_, S> {
419    pub(crate) fn none() -> Self {
420        Self {
421            subscriber: None,
422
423            #[cfg(feature = "registry")]
424            filter: FilterId::none(),
425        }
426    }
427}
428
429impl<S> Clone for Context<'_, S> {
430    #[inline]
431    fn clone(&self) -> Self {
432        let subscriber = self.subscriber.as_ref().copied();
433        Context {
434            subscriber,
435
436            #[cfg(all(feature = "registry", feature = "std"))]
437            filter: self.filter,
438        }
439    }
440}