1//! The Report type which reports errors nicely
23use std::error::Error as StdError;
4use std::fmt::{self, Debug, Display};
56use crate::sealed::Sealed;
78/// Wraps any Error, providing a nicely-reporting Display impl
9#[derive(Debug, Copy, Clone)]
10#[allow(clippy::exhaustive_structs)] // this is a transparent wrapper
11pub struct Report<E>(pub E)
12where
13E: AsRef<dyn StdError>;
1415impl<E> Display for Report<E>
16where
17E: AsRef<dyn StdError>,
18{
19fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
20/// Non-generic inner function avoids code bloat
21fn inner(e: &dyn StdError, f: &mut fmt::Formatter) -> fmt::Result {
22write!(f, "error: ")?;
23 retry_error::fmt_error_with_sources(e, f)?;
24Ok(())
25 }
2627 inner(self.0.as_ref(), f)
28 }
29}
3031/// Report the error E to stderr, and exit the program
32///
33/// Does not return. Return type is any type R, for convenience with eg `unwrap_or_else`.
34#[allow(clippy::print_stderr)] // this is the point of this function
35pub fn report_and_exit<E, R>(e: E) -> R
36where
37E: AsRef<dyn StdError>,
38{
39/// Non-generic inner function avoids code bloat
40fn eprint_progname() {
41if let Some(progname) = std::env::args().next() {
42eprint!("{}: ", progname);
43 }
44 }
4546 eprint_progname();
47eprintln!("{}", Report(e));
48 std::process::exit(127)
49}
5051/// Helper type for reporting errors that are concrete implementors of `StdError`
52///
53/// This is an opaque type, only constructable via the [`ErrorReport`] helper trait
54/// and only usable via its `AsRef` implementation.
55//
56// We need this because Rust's trait object handling rules, and provided AsRef impls,
57// are rather anaemic. We cannot simply put a &dyn Error into Report, because
58// &dyn Error doesn't impl AsRef<dyn Error> even though the implementation is trivial.
59// We can't provide that AsRef impl ourselves due to trait coherency rules.
60// So instead, we wrap up the &dyn Error in a newtype, for which we *can* provide the AsRef.
61pub struct ReportHelper<'e>(&'e (dyn StdError + 'static));
62impl<'e> AsRef<dyn StdError + 'static> for ReportHelper<'e> {
63fn as_ref(&self) -> &(dyn StdError + 'static) {
64self.0
65}
66}
6768/// Extension trait providing `.report()` method on concrete errors
69///
70/// This is implemented for types that directly implement [`std::error::Error`]` + 'static`.
71///
72/// For types like `anyhow::Error` that `impl Deref<Target = dyn Error...>`,
73/// you can use `tor_error::Report(err)` directly,
74/// but you can also call `.report()` via the impl of this trait for `dyn Error`.
75pub trait ErrorReport: Sealed + StdError + 'static {
76/// Return an object that displays the error and its causes
77//
78 // We would ideally have returned `Report<impl AsRef<...>>` but that's TAIT.
79fn report(&self) -> Report<ReportHelper>;
80}
81impl<E: StdError + Sized + 'static> Sealed for E {}
82impl<E: StdError + Sized + 'static> ErrorReport for E {
83fn report(&self) -> Report<ReportHelper> {
84 Report(ReportHelper(self as _))
85 }
86}
87impl Sealed for dyn StdError + Send + Sync {}
88/// Implementation for `anyhow::Error`, which derefs to `dyn StdError`.
89impl ErrorReport for dyn StdError + Send + Sync {
90fn report(&self) -> Report<ReportHelper> {
91 Report(ReportHelper(self))
92 }
93}
94impl Sealed for dyn StdError + 'static {}
95impl ErrorReport for dyn StdError + 'static {
96fn report(&self) -> Report<ReportHelper> {
97 Report(ReportHelper(self))
98 }
99}
100101/// Defines `AsRef<dyn StdError + 'static>` for a type implementing [`StdError`]
102///
103/// This trivial `AsRef` impl enables use of `tor_error::Report`.
104// Rust don't do this automatically, sadly, even though
105// it's basically `impl AsRef<dyn Trait> for T where T: Trait`.
106#[macro_export]
107macro_rules! define_asref_dyn_std_error { { $ty:ty } => {
108// TODO: It would nice if this could be generated more automatically;
109// TODO wouldn't it be nice if this was a `derive` (eg using derive-deftly)
110impl AsRef<dyn std::error::Error + 'static> for $ty {
111fn as_ref(&self) -> &(dyn std::error::Error + 'static) {
112self as _
113}
114 }
115} }
116117#[cfg(test)]
118mod test {
119// @@ begin test lint list maintained by maint/add_warning @@
120#![allow(clippy::bool_assert_comparison)]
121 #![allow(clippy::clone_on_copy)]
122 #![allow(clippy::dbg_macro)]
123 #![allow(clippy::mixed_attributes_style)]
124 #![allow(clippy::print_stderr)]
125 #![allow(clippy::print_stdout)]
126 #![allow(clippy::single_char_pattern)]
127 #![allow(clippy::unwrap_used)]
128 #![allow(clippy::unchecked_duration_subtraction)]
129 #![allow(clippy::useless_vec)]
130 #![allow(clippy::needless_pass_by_value)]
131//! <!-- @@ end test lint list maintained by maint/add_warning @@ -->
132use super::*;
133use std::io;
134use thiserror::Error;
135136#[derive(Error, Debug)]
137 #[error("terse")]
138struct TerseError {
139#[from]
140source: Box<dyn StdError>,
141 }
142143#[derive(Error, Debug)]
144 #[error("verbose - {source}")]
145struct VerboseError {
146#[from]
147source: Box<dyn StdError>,
148 }
149150#[derive(Error, Debug)]
151 #[error("shallow")]
152struct ShallowError;
153154fn chk<E: StdError + 'static>(e: E, expected: &str) {
155let e: Box<dyn StdError> = Box::new(e);
156let got = Report(&e).to_string();
157assert_eq!(got, expected, "\nmismatch: {:?}", &e);
158 }
159160#[test]
161 #[rustfmt::skip] // preserve layout of chk calls
162fn test() {
163 chk(ShallowError,
164"error: shallow");
165166let terse_1 = || TerseError { source: ShallowError.into() };
167 chk(terse_1(),
168"error: terse: shallow");
169170let verbose_1 = || VerboseError { source: ShallowError.into() };
171 chk(verbose_1(),
172"error: verbose - shallow");
173174 chk(VerboseError { source: terse_1().into() },
175"error: verbose - terse: shallow");
176177 chk(TerseError { source: verbose_1().into() },
178"error: terse: verbose - shallow");
179180 chk(io::Error::new(io::ErrorKind::Other, ShallowError),
181"error: shallow");
182 }
183}