egui/
callstack.rs

1#[derive(Clone)]
2struct Frame {
3    /// `_main` is usually as the deepest depth.
4    depth: usize,
5    name: String,
6    file_and_line: String,
7}
8
9/// Capture a callstack, skipping the frames that are not interesting.
10///
11/// In particular: slips everything before `egui::Context::run`,
12/// and skipping all frames in the `egui::` namespace.
13#[inline(never)]
14pub fn capture() -> String {
15    let mut frames = vec![];
16    let mut depth = 0;
17
18    backtrace::trace(|frame| {
19        // Resolve this instruction pointer to a symbol name
20        backtrace::resolve_frame(frame, |symbol| {
21            let mut file_and_line = symbol.filename().map(shorten_source_file_path);
22
23            if let Some(file_and_line) = &mut file_and_line {
24                if let Some(line_nr) = symbol.lineno() {
25                    file_and_line.push_str(&format!(":{line_nr}"));
26                }
27            }
28            let file_and_line = file_and_line.unwrap_or_default();
29
30            let name = symbol
31                .name()
32                .map(|name| clean_symbol_name(name.to_string()))
33                .unwrap_or_default();
34
35            frames.push(Frame {
36                depth,
37                name,
38                file_and_line,
39            });
40        });
41
42        depth += 1; // note: we can resolve multiple symbols on the same frame.
43
44        true // keep going to the next frame
45    });
46
47    if frames.is_empty() {
48        return
49            "Failed to capture a backtrace. A common cause of this is compiling with panic=\"abort\" (https://github.com/rust-lang/backtrace-rs/issues/397)".to_owned();
50    }
51
52    // Inclusive:
53    let mut min_depth = 0;
54    let mut max_depth = usize::MAX;
55
56    for frame in &frames {
57        if frame.name.starts_with("egui::callstack::capture") {
58            min_depth = frame.depth + 1;
59        }
60        if frame.name.starts_with("egui::context::Context::run") {
61            max_depth = frame.depth;
62        }
63    }
64
65    /// Is this the name of some sort of useful entry point?
66    fn is_start_name(name: &str) -> bool {
67        name == "main"
68            || name == "_main"
69            || name.starts_with("eframe::run_native")
70            || name.starts_with("egui::context::Context::run")
71    }
72
73    let mut has_kept_any_start_names = false;
74
75    frames.reverse(); // main on top, i.e. chronological order. Same as Python.
76
77    // Remove frames that are uninteresting:
78    frames.retain(|frame| {
79        // Keep the first "start" frame we can detect (e.g. `main`) to give the user a sense of chronology:
80        if is_start_name(&frame.name) && !has_kept_any_start_names {
81            has_kept_any_start_names = true;
82            return true;
83        }
84
85        if frame.depth < min_depth || max_depth < frame.depth {
86            return false;
87        }
88
89        // Remove stuff that isn't user calls:
90        let skip_prefixes = [
91            // "backtrace::", // not needed, since we cut at egui::callstack::capture
92            "egui::",
93            "<egui::",
94            "<F as egui::widgets::Widget>",
95            "egui_plot::",
96            "egui_extras::",
97            "core::ptr::drop_in_place<egui::ui::Ui>",
98            "eframe::",
99            "core::ops::function::FnOnce::call_once",
100            "<alloc::boxed::Box<F,A> as core::ops::function::FnOnce<Args>>::call_once",
101        ];
102        for prefix in skip_prefixes {
103            if frame.name.starts_with(prefix) {
104                return false;
105            }
106        }
107        true
108    });
109
110    let mut deepest_depth = 0;
111    let mut widest_file_line = 0;
112    for frame in &frames {
113        deepest_depth = frame.depth.max(deepest_depth);
114        widest_file_line = frame.file_and_line.len().max(widest_file_line);
115    }
116
117    let widest_depth = deepest_depth.to_string().len();
118
119    let mut formatted = String::new();
120
121    if !frames.is_empty() {
122        let mut last_depth = frames[0].depth;
123
124        for frame in &frames {
125            let Frame {
126                depth,
127                name,
128                file_and_line,
129            } = frame;
130
131            if frame.depth + 1 < last_depth || last_depth + 1 < frame.depth {
132                // Show that some frames were elided
133                formatted.push_str(&format!("{:widest_depth$}  …\n", ""));
134            }
135
136            formatted.push_str(&format!(
137                "{depth:widest_depth$}: {file_and_line:widest_file_line$}  {name}\n"
138            ));
139
140            last_depth = frame.depth;
141        }
142    }
143
144    formatted
145}
146
147fn clean_symbol_name(mut s: String) -> String {
148    // We get a hex suffix (at least on macOS) which is quite unhelpful,
149    // e.g. `my_crate::my_function::h3bedd97b1e03baa5`.
150    // Let's strip that.
151    if let Some(h) = s.rfind("::h") {
152        let hex = &s[h + 3..];
153        if hex.len() == 16 && hex.chars().all(|c| c.is_ascii_hexdigit()) {
154            s.truncate(h);
155        }
156    }
157
158    s
159}
160
161#[test]
162fn test_clean_symbol_name() {
163    assert_eq!(
164        clean_symbol_name("my_crate::my_function::h3bedd97b1e03baa5".to_owned()),
165        "my_crate::my_function"
166    );
167}
168
169/// Shorten a path to a Rust source file from a callstack.
170///
171/// Example input:
172/// * `/Users/emilk/.cargo/registry/src/github.com-1ecc6299db9ec823/tokio-1.24.1/src/runtime/runtime.rs`
173/// * `crates/rerun/src/main.rs`
174/// * `/rustc/d5a82bbd26e1ad8b7401f6a718a9c57c96905483/library/core/src/ops/function.rs`
175fn shorten_source_file_path(path: &std::path::Path) -> String {
176    // Look for `src` and strip everything up to it.
177
178    let components: Vec<_> = path.iter().map(|path| path.to_string_lossy()).collect();
179
180    let mut src_idx = None;
181    for (i, c) in components.iter().enumerate() {
182        if c == "src" {
183            src_idx = Some(i);
184        }
185    }
186
187    // Look for the last `src`:
188    if let Some(src_idx) = src_idx {
189        // Before `src` comes the name of the crate - let's include that:
190        let first_index = src_idx.saturating_sub(1);
191
192        let mut output = components[first_index].to_string();
193        for component in &components[first_index + 1..] {
194            output.push('/');
195            output.push_str(component);
196        }
197        output
198    } else {
199        // No `src` directory found - weird!
200        path.display().to_string()
201    }
202}
203
204#[test]
205fn test_shorten_path() {
206    for (before, after) in [
207        ("/Users/emilk/.cargo/registry/src/github.com-1ecc6299db9ec823/tokio-1.24.1/src/runtime/runtime.rs", "tokio-1.24.1/src/runtime/runtime.rs"),
208        ("crates/rerun/src/main.rs", "rerun/src/main.rs"),
209        ("/rustc/d5a82bbd26e1ad8b7401f6a718a9c57c96905483/library/core/src/ops/function.rs", "core/src/ops/function.rs"),
210        ("/weird/path/file.rs", "/weird/path/file.rs"),
211        ]
212        {
213        use std::str::FromStr as _;
214        let before = std::path::PathBuf::from_str(before).unwrap();
215        assert_eq!(shorten_source_file_path(&before), after);
216    }
217}