backtrace-rs
backtrace-rs copied to clipboard
Possible to export `Frame::resolve_symbol`?
Problem
- I'm using eyre as my error handler and trying to write a custom error handler using eyre hook
- Basically, a backtrace will be captured when error happens, and will be printed/logged later when handling the error.
- The problem is that I want to capture the backtrace as
unresolvedand resolve it later in my custom handler so that passing the error around is cheaper. However, I'm not able to do this because, in order to use resolve, my captured backtrace must be a mutable reference. I also tried to get the backtrace frames and resolve each one manually, but I encountered the same issue: the backtrace frames are not &mut, and theFramefield ofBacktraceFrameis not exported to useresolve_symbolsmethod.
Proposed Solution
- Can
BacktraceFramealso haveresolve_symbolswhich callframe.resolve_symbolsand return all symbols that have been resolved? It already havesymbolsmethod but they are empty if the captured backtrace wasunresolved
Example code
struct Hook {
capture_backtrace: bool,
}
impl Hook {
fn make_handler(&self, _error: &(dyn Error + 'static)) -> Handler {
let backtrace = if self.capture_backtrace {
Some(Backtrace::new_unresolved())
} else {
None
};
Handler { backtrace }
}
}
struct Handler {
// custom configured backtrace capture
backtrace: Option<Backtrace>,
}
impl EyreHandler for Handler {
fn debug(&self, error: &(dyn Error + 'static), f: &mut fmt::Formatter<'_>) -> fmt::Result {
if f.alternate() {
return fmt::Debug::fmt(error, f);
}
let errors = iter::successors(Some(error), |error| (*error).source());
for (ind, error) in errors.enumerate() {
write!(f, "\n{:>4}: {}", ind, error)?;
}
if let Some(backtrace) = self.backtrace.as_ref() {
writeln!(f, "\n\nBacktrace:\n{:?}", backtrace)?;
let frames = backtrace.frames();
for (ind, frame) in frames.iter().enumerate() {
writeln!(f, "\n{:>4}: {:?}", ind, frame.resolve())?; // cannot resolve because frame is not &mut
// My workaround
// let ip = frame.ip();
// backtrace::resolve(ip, |symbol| {
// println!("{:?}", symbol);
// });
// Proposed solution
// let backtrace_symbols = frame.resolve_symbols();
// println!("{:?}", backtrace_symbols);
}
}
Ok(())
}
}