tracing_flame/lib.rs
1//! A Tracing [Subscriber][`FlameSubscriber`] for generating a folded stack trace for generating flamegraphs
2//! and flamecharts with [`inferno`]
3//!
4//! # Overview
5//!
6//! [`tracing`] is a framework for instrumenting Rust programs to collect
7//! scoped, structured, and async-aware diagnostics. `tracing-flame` provides helpers
8//! for consuming `tracing` instrumentation that can later be visualized as a
9//! flamegraph/flamechart. Flamegraphs/flamecharts are useful for identifying performance
10//! issues bottlenecks in an application. For more details, see Brendan Gregg's [post]
11//! on flamegraphs.
12//!
13//! *Compiler support: [requires `rustc` 1.63+][msrv]*
14//!
15//! [msrv]: #supported-rust-versions
16//! [post]: http://www.brendangregg.com/flamegraphs.html
17//!
18//! ## Usage
19//!
20//! This crate is meant to be used in a two step process:
21//!
22//! 1. Capture textual representation of the spans that are entered and exited
23//! with [`FlameSubscriber`].
24//! 2. Feed the textual representation into `inferno-flamegraph` to generate the
25//! flamegraph or flamechart.
26//!
27//! *Note*: when using a buffered writer as the writer for a `FlameSubscriber`, it is necessary to
28//! ensure that the buffer has been flushed before the data is passed into
29//! [`inferno-flamegraph`]. For more details on how to flush the internal writer
30//! of the `FlameSubscriber`, see the docs for [`FlushGuard`].
31//!
32//! ## Subscriber Setup
33//!
34//! ```rust
35//! use std::{fs::File, io::BufWriter};
36//! use tracing_flame::FlameSubscriber;
37//! use tracing_subscriber::{registry::Registry, prelude::*, fmt};
38//!
39//! fn setup_global_subscriber() -> impl Drop {
40//! let fmt_subscriber = fmt::Subscriber::default();
41//!
42//! let (flame_subscriber, _guard) = FlameSubscriber::with_file("./tracing.folded").unwrap();
43//!
44//! let collector = Registry::default()
45//! .with(fmt_subscriber)
46//! .with(flame_subscriber);
47//!
48//! tracing::collect::set_global_default(collector).expect("Could not set global default");
49//! _guard
50//! }
51//!
52//! // your code here ..
53//! ```
54//!
55//! As an alternative, you can provide _any_ type that implements `std::io::Write` to
56//! `FlameSubscriber::new`.
57//!
58//! ## Generating the Image
59//!
60//! To convert the textual representation of a flamegraph to a visual one, first install `inferno`:
61//!
62//! ```console
63//! cargo install inferno
64//! ```
65//!
66//! Then, pass the file created by `FlameLayer` into `inferno-flamegraph`:
67//!
68//! ```console
69//! # flamegraph
70//! cat tracing.folded | inferno-flamegraph > tracing-flamegraph.svg
71//!
72//! # flamechart
73//! cat tracing.folded | inferno-flamegraph --flamechart > tracing-flamechart.svg
74//! ```
75//!
76//! ## Differences between `flamegraph`s and `flamechart`s
77//!
78//! By default, `inferno-flamegraph` creates flamegraphs. Flamegraphs operate by
79//! that collapsing identical stack frames and sorting them on the frame's names.
80//!
81//! This behavior is great for multithreaded programs and long-running programs
82//! where the same frames occur _many_ times, for short durations, because it reduces
83//! noise in the graph and gives the reader a better idea of the
84//! overall time spent in each part of the application.
85//!
86//! However, it is sometimes desirable to preserve the _exact_ ordering of events
87//! as they were emitted by `tracing-flame`, so that it is clear when each
88//! span is entered relative to others and get an accurate visual trace of
89//! the execution of your program. This representation is best created with a
90//! _flamechart_, which _does not_ sort or collapse identical stack frames.
91//!
92//! [`inferno`]: https://docs.rs/inferno
93//! [`inferno-flamegraph`]: https://docs.rs/inferno/0.9.5/inferno/index.html#producing-a-flame-graph
94//!
95//! ## Supported Rust Versions
96//!
97//! Tracing is built against the latest stable release. The minimum supported
98//! version is 1.63. The current Tracing version is not guaranteed to build on
99//! Rust versions earlier than the minimum supported version.
100//!
101//! Tracing follows the same compiler support policies as the rest of the Tokio
102//! project. The current stable Rust compiler and the three most recent minor
103//! versions before it will always be supported. For example, if the current
104//! stable compiler version is 1.69, the minimum supported version will not be
105//! increased past 1.66, three minor versions prior. Increasing the minimum
106//! supported compiler version is not considered a semver breaking change as
107//! long as doing so complies with this policy.
108//!
109#![doc(
110 html_logo_url = "https://raw.githubusercontent.com/tokio-rs/tracing/master/assets/logo-type.png",
111 html_favicon_url = "https://raw.githubusercontent.com/tokio-rs/tracing/master/assets/favicon.ico",
112 issue_tracker_base_url = "https://github.com/tokio-rs/tracing/issues/"
113)]
114#![warn(
115 missing_debug_implementations,
116 missing_docs,
117 rust_2018_idioms,
118 unreachable_pub,
119 bad_style,
120 dead_code,
121 improper_ctypes,
122 non_shorthand_field_patterns,
123 no_mangle_generic_items,
124 overflowing_literals,
125 path_statements,
126 patterns_in_fns_without_body,
127 private_interfaces,
128 private_bounds,
129 unconditional_recursion,
130 unused,
131 unused_allocation,
132 unused_comparisons,
133 unused_parens,
134 while_true
135)]
136
137use error::Error;
138use error::Kind;
139use once_cell::sync::Lazy;
140use std::cell::Cell;
141use std::fmt;
142use std::fmt::Write as _;
143use std::fs::File;
144use std::io::BufWriter;
145use std::io::Write;
146use std::marker::PhantomData;
147use std::path::Path;
148use std::sync::Arc;
149use std::sync::Mutex;
150use std::time::{Duration, Instant};
151use tracing::span;
152use tracing::Collect;
153use tracing_subscriber::registry::LookupSpan;
154use tracing_subscriber::registry::SpanRef;
155use tracing_subscriber::subscribe::Context;
156use tracing_subscriber::Subscribe;
157
158mod error;
159
160static START: Lazy<Instant> = Lazy::new(Instant::now);
161
162thread_local! {
163 static LAST_EVENT: Cell<Instant> = Cell::new(*START);
164
165 static THREAD_NAME: String = {
166 let thread = std::thread::current();
167 let mut thread_name = format!("{:?}", thread.id());
168 if let Some(name) = thread.name() {
169 thread_name += "-";
170 thread_name += name;
171 }
172 thread_name
173 };
174}
175
176/// A `Subscriber` that records span open/close events as folded flamegraph stack
177/// samples.
178///
179/// The output of `FlameSubscriber` emulates the output of commands like `perf` once
180/// they've been collapsed by `inferno-flamegraph`. The output of this subscriber
181/// should look similar to the output of the following commands:
182///
183/// ```sh
184/// perf record --call-graph dwarf target/release/mybin
185/// perf script | inferno-collapse-perf > stacks.folded
186/// ```
187///
188/// # Sample Counts
189///
190/// Because `tracing-flame` doesn't use sampling, the number at the end of each
191/// folded stack trace does not represent a number of samples of that stack.
192/// Instead, the numbers on each line are the number of nanoseconds since the
193/// last event in the same thread.
194///
195/// # Dropping and Flushing
196///
197/// If you use a global collector the drop implementations on your various
198/// subscribers will not get called when your program exits. This means that if
199/// you're using a buffered writer as the inner writer for the `FlameSubscriber`
200/// you're not guaranteed to see all the events that have been emitted in the
201/// file by default.
202///
203/// To ensure all data is flushed when the program exits, `FlameSubscriber` exposes
204/// the [`flush_on_drop`] function, which returns a [`FlushGuard`]. The `FlushGuard`
205/// will flush the writer when it is dropped. If necessary, it can also be used to manually
206/// flush the writer.
207///
208/// [`flush_on_drop`]: FlameSubscriber::flush_on_drop()
209#[derive(Debug)]
210pub struct FlameSubscriber<C, W> {
211 out: Arc<Mutex<W>>,
212 config: Config,
213 _inner: PhantomData<C>,
214}
215
216#[derive(Debug)]
217struct Config {
218 /// Don't include samples where no spans are open
219 empty_samples: bool,
220
221 /// Don't include thread_id
222 threads_collapsed: bool,
223
224 /// Don't display module_path
225 module_path: bool,
226
227 /// Don't display file and line
228 file_and_line: bool,
229}
230
231impl Default for Config {
232 fn default() -> Self {
233 Self {
234 empty_samples: true,
235 threads_collapsed: false,
236 module_path: true,
237 file_and_line: false,
238 }
239 }
240}
241
242/// An RAII guard for managing flushing a global writer that is
243/// otherwise inaccessible.
244///
245/// This type is only needed when using
246/// `tracing::subscriber::set_global_default`, which prevents the drop
247/// implementation of layers from running when the program exits.
248#[must_use]
249#[derive(Debug)]
250pub struct FlushGuard<W>
251where
252 W: Write + 'static,
253{
254 out: Arc<Mutex<W>>,
255}
256
257impl<C, W> FlameSubscriber<C, W>
258where
259 C: Collect + for<'span> LookupSpan<'span>,
260 W: Write + 'static,
261{
262 /// Returns a new `FlameSubscriber` that outputs all folded stack samples to the
263 /// provided writer.
264 pub fn new(writer: W) -> Self {
265 // Initialize the start used by all threads when initializing the
266 // LAST_EVENT when constructing the subscriber
267 let _unused = *START;
268 Self {
269 out: Arc::new(Mutex::new(writer)),
270 config: Default::default(),
271 _inner: PhantomData,
272 }
273 }
274
275 /// Returns a `FlushGuard` which will flush the `FlameSubscriber`'s writer when
276 /// it is dropped, or when `flush` is manually invoked on the guard.
277 pub fn flush_on_drop(&self) -> FlushGuard<W> {
278 FlushGuard {
279 out: self.out.clone(),
280 }
281 }
282
283 /// Configures whether or not periods of time where no spans are entered
284 /// should be included in the output.
285 ///
286 /// Defaults to `true`.
287 ///
288 /// Setting this feature to false can help with situations where no span is
289 /// active for large periods of time. This can include time spent idling, or
290 /// doing uninteresting work that isn't being measured.
291 /// When a large number of empty samples are recorded, the flamegraph
292 /// may be harder to interpret and navigate, since the recorded spans will
293 /// take up a correspondingly smaller percentage of the graph. In some
294 /// cases, a large number of empty samples may even hide spans which
295 /// would otherwise appear in the flamegraph.
296 pub fn with_empty_samples(mut self, enabled: bool) -> Self {
297 self.config.empty_samples = enabled;
298 self
299 }
300
301 /// Configures whether or not spans from different threads should be
302 /// collapsed into one pool of events.
303 ///
304 /// Defaults to `false`.
305 ///
306 /// Setting this feature to true can help with applications that distribute
307 /// work evenly across many threads, such as thread pools. In such
308 /// cases it can be difficult to get an overview of where the application
309 /// as a whole spent most of its time, because work done in the same
310 /// span may be split up across many threads.
311 pub fn with_threads_collapsed(mut self, enabled: bool) -> Self {
312 self.config.threads_collapsed = enabled;
313 self
314 }
315
316 /// Configures whether or not module paths should be included in the output.
317 pub fn with_module_path(mut self, enabled: bool) -> Self {
318 self.config.module_path = enabled;
319 self
320 }
321
322 /// Configures whether or not file and line should be included in the output.
323 pub fn with_file_and_line(mut self, enabled: bool) -> Self {
324 self.config.file_and_line = enabled;
325 self
326 }
327}
328
329impl<W> FlushGuard<W>
330where
331 W: Write + 'static,
332{
333 /// Flush the internal writer of the `FlameSubscriber`, ensuring that all
334 /// intermediately buffered contents reach their destination.
335 pub fn flush(&self) -> Result<(), Error> {
336 let mut guard = match self.out.lock() {
337 Ok(guard) => guard,
338 Err(e) => {
339 if !std::thread::panicking() {
340 panic!("{}", e);
341 } else {
342 return Ok(());
343 }
344 }
345 };
346
347 guard.flush().map_err(Kind::FlushFile).map_err(Error)
348 }
349}
350
351impl<W> Drop for FlushGuard<W>
352where
353 W: Write + 'static,
354{
355 fn drop(&mut self) {
356 match self.flush() {
357 Ok(_) => (),
358 Err(e) => e.report(),
359 }
360 }
361}
362
363impl<C> FlameSubscriber<C, BufWriter<File>>
364where
365 C: Collect + for<'span> LookupSpan<'span>,
366{
367 /// Constructs a `FlameSubscriber` that outputs to a `BufWriter` to the given path, and a
368 /// `FlushGuard` to ensure the writer is flushed.
369 pub fn with_file(path: impl AsRef<Path>) -> Result<(Self, FlushGuard<BufWriter<File>>), Error> {
370 let path = path.as_ref();
371 let file = File::create(path)
372 .map_err(|source| Kind::CreateFile {
373 path: path.into(),
374 source,
375 })
376 .map_err(Error)?;
377 let writer = BufWriter::new(file);
378 let subscriber = Self::new(writer);
379 let guard = subscriber.flush_on_drop();
380 Ok((subscriber, guard))
381 }
382}
383
384impl<C, W> Subscribe<C> for FlameSubscriber<C, W>
385where
386 C: Collect + for<'span> LookupSpan<'span>,
387 W: Write + 'static,
388{
389 fn on_enter(&self, id: &span::Id, ctx: Context<'_, C>) {
390 let samples = self.time_since_last_event();
391
392 let first = ctx.span(id).expect("expected: span id exists in registry");
393
394 if !self.config.empty_samples && first.parent().is_none() {
395 return;
396 }
397
398 let mut stack = String::new();
399
400 if !self.config.threads_collapsed {
401 THREAD_NAME.with(|name| stack += name.as_str());
402 } else {
403 stack += "all-threads";
404 }
405
406 if let Some(second) = first.parent() {
407 for parent in second.scope().from_root() {
408 stack += ";";
409 write(&mut stack, parent, &self.config)
410 .expect("expected: write to String never fails");
411 }
412 }
413
414 write!(&mut stack, " {}", samples.as_nanos())
415 .expect("expected: write to String never fails");
416
417 let _ = writeln!(*self.out.lock().unwrap(), "{}", stack);
418 }
419
420 fn on_exit(&self, id: &span::Id, ctx: Context<'_, C>) {
421 let panicking = std::thread::panicking();
422 macro_rules! expect {
423 ($e:expr, $msg:literal) => {
424 if panicking {
425 return;
426 } else {
427 $e.expect($msg)
428 }
429 };
430 ($e:expr) => {
431 if panicking {
432 return;
433 } else {
434 $e.unwrap()
435 }
436 };
437 }
438
439 let samples = self.time_since_last_event();
440 let first = expect!(ctx.span(id), "expected: span id exists in registry");
441
442 let mut stack = String::new();
443 if !self.config.threads_collapsed {
444 THREAD_NAME.with(|name| stack += name.as_str());
445 } else {
446 stack += "all-threads";
447 }
448
449 for parent in first.scope().from_root() {
450 stack += ";";
451 expect!(
452 write(&mut stack, parent, &self.config),
453 "expected: write to String never fails"
454 );
455 }
456
457 expect!(
458 write!(&mut stack, " {}", samples.as_nanos()),
459 "expected: write to String never fails"
460 );
461
462 let _ = writeln!(*expect!(self.out.lock()), "{}", stack);
463 }
464}
465
466impl<C, W> FlameSubscriber<C, W>
467where
468 C: Collect + for<'span> LookupSpan<'span>,
469 W: Write + 'static,
470{
471 fn time_since_last_event(&self) -> Duration {
472 let now = Instant::now();
473
474 let prev = LAST_EVENT.with(|e| {
475 let prev = e.get();
476 e.set(now);
477 prev
478 });
479
480 now - prev
481 }
482}
483
484fn write<C>(dest: &mut String, span: SpanRef<'_, C>, config: &Config) -> fmt::Result
485where
486 C: Collect + for<'span> LookupSpan<'span>,
487{
488 if config.module_path {
489 if let Some(module_path) = span.metadata().module_path() {
490 write!(dest, "{}::", module_path)?;
491 }
492 }
493
494 write!(dest, "{}", span.name())?;
495
496 if config.file_and_line {
497 if let Some(file) = span.metadata().file() {
498 write!(dest, ":{}", file)?;
499 }
500
501 if let Some(line) = span.metadata().line() {
502 write!(dest, ":{}", line)?;
503 }
504 }
505
506 Ok(())
507}