pub struct Error { /* private fields */ }Expand description
The Error type, a wrapper around a dynamic error type.
Error works a lot like Box<dyn std::error::Error>, but with these
differences:
- Errorrequires that the error is- Send,- Sync, and- 'static.
- Errorguarantees that a backtrace is available, even if the underlying error type does not provide one.
- Erroris represented as a narrow pointer — exactly one word in size instead of two.
§Display representations
When you print an error object using “{}” or to_string(), only the outermost underlying error or context is printed, not any of the lower level causes. This is exactly as if you had called the Display impl of the error from which you constructed your anyhow::Error.
Failed to read instrs from ./path/to/instrs.jsonTo print causes as well using anyhow’s default formatting of causes, use the alternate selector “{:#}”.
Failed to read instrs from ./path/to/instrs.json: No such file or directory (os error 2)The Debug format “{:?}” includes your backtrace if one was captured. Note
that this is the representation you get by default if you return an error
from fn main instead of printing it explicitly yourself.
Error: Failed to read instrs from ./path/to/instrs.json
Caused by:
    No such file or directory (os error 2)and if there is a backtrace available:
Error: Failed to read instrs from ./path/to/instrs.json
Caused by:
    No such file or directory (os error 2)
Stack backtrace:
   0: <E as anyhow::context::ext::StdError>::ext_context
             at /git/anyhow/src/backtrace.rs:26
   1: core::result::Result<T,E>::map_err
             at /git/rustc/src/libcore/result.rs:596
   2: anyhow::context::<impl anyhow::Context<T,E> for core::result::Result<T,E>>::with_context
             at /git/anyhow/src/context.rs:58
   3: testing::main
             at src/main.rs:5
   4: std::rt::lang_start
             at /git/rustc/src/libstd/rt.rs:61
   5: main
   6: __libc_start_main
   7: _startTo see a conventional struct-style Debug representation, use “{:#?}”.
Error {
    context: "Failed to read instrs from ./path/to/instrs.json",
    source: Os {
        code: 2,
        kind: NotFound,
        message: "No such file or directory",
    },
}If none of the built-in representations are appropriate and you would prefer to render the error and its cause chain yourself, it can be done something like this:
use anyhow::{Context, Result};
fn main() {
    if let Err(err) = try_main() {
        eprintln!("ERROR: {}", err);
        err.chain().skip(1).for_each(|cause| eprintln!("because: {}", cause));
        std::process::exit(1);
    }
}
fn try_main() -> Result<()> {
    ...
}Implementations§
Source§impl Error
 
impl Error
Sourcepub fn new<E>(error: E) -> Error
 
pub fn new<E>(error: E) -> Error
Create a new error object from any error type.
The error type must be threadsafe and 'static, so that the Error
will be as well.
If the error type does not provide a backtrace, a backtrace will be created here to ensure that a backtrace exists.
Sourcepub fn msg<M>(message: M) -> Error
 
pub fn msg<M>(message: M) -> Error
Create a new error object from a printable error message.
If the argument implements std::error::Error, prefer Error::new
instead which preserves the underlying error’s cause chain and
backtrace. If the argument may or may not implement std::error::Error
now or in the future, use anyhow!(err) which handles either way
correctly.
Error::msg("...") is equivalent to anyhow!("...") but occasionally
convenient in places where a function is preferable over a macro, such
as iterator or stream combinators:
use anyhow::{Error, Result};
use futures::stream::{Stream, StreamExt, TryStreamExt};
async fn demo<S>(stream: S) -> Result<Vec<Output>>
where
    S: Stream<Item = Input>,
{
    stream
        .then(ffi::do_some_work) // returns Result<Output, &str>
        .map_err(Error::msg)
        .try_collect()
        .await
}Sourcepub fn from_boxed(boxed_error: Box<dyn Error + Send + Sync>) -> Error
 
pub fn from_boxed(boxed_error: Box<dyn Error + Send + Sync>) -> Error
Construct an error object from a type-erased standard library error.
This is mostly useful for interop with other error libraries.
§Example
Here is a skeleton of a library that provides its own error abstraction.
The pair of From impls provide bidirectional support for ?
conversion between Report and anyhow::Error.
use std::error::Error as StdError;
pub struct Report {/* ... */}
impl<E> From<E> for Report
where
    E: Into<anyhow::Error>,
    Result<(), E>: anyhow::Context<(), E>,
{
    fn from(error: E) -> Self {
        let anyhow_error: anyhow::Error = error.into();
        let boxed_error: Box<dyn StdError + Send + Sync + 'static> = anyhow_error.into();
        Report::from_boxed(boxed_error)
    }
}
impl From<Report> for anyhow::Error {
    fn from(report: Report) -> Self {
        let boxed_error: Box<dyn StdError + Send + Sync + 'static> = report.into_boxed();
        anyhow::Error::from_boxed(boxed_error)
    }
}
impl Report {
    fn from_boxed(boxed_error: Box<dyn StdError + Send + Sync + 'static>) -> Self {
        todo!()
    }
    fn into_boxed(self) -> Box<dyn StdError + Send + Sync + 'static> {
        todo!()
    }
}
// Example usage: can use `?` in both directions.
fn a() -> anyhow::Result<()> {
    b()?;
    Ok(())
}
fn b() -> Result<(), Report> {
    a()?;
    Ok(())
}Sourcepub fn context<C>(self, context: C) -> Error
 
pub fn context<C>(self, context: C) -> Error
Wrap the error value with additional context.
For attaching context to a Result as it is propagated, the
Context extension trait may be more convenient than
this function.
The primary reason to use error.context(...) instead of
result.context(...) via the Context trait would be if the context
needs to depend on some data held by the underlying error:
use anyhow::Result;
use std::fs::File;
use std::path::Path;
struct ParseError {
    line: usize,
    column: usize,
}
fn parse_impl(file: File) -> Result<T, ParseError> {
    ...
}
pub fn parse(path: impl AsRef<Path>) -> Result<T> {
    let file = File::open(&path)?;
    parse_impl(file).map_err(|error| {
        let context = format!(
            "only the first {} lines of {} are valid",
            error.line, path.as_ref().display(),
        );
        anyhow::Error::new(error).context(context)
    })
}Sourcepub fn backtrace(&self) -> &Backtrace
 
pub fn backtrace(&self) -> &Backtrace
Get the backtrace for this Error.
In order for the backtrace to be meaningful, one of the two environment
variables RUST_LIB_BACKTRACE=1 or RUST_BACKTRACE=1 must be defined
and RUST_LIB_BACKTRACE must not be 0. Backtraces are somewhat
expensive to capture in Rust, so we don’t necessarily want to be
capturing them all over the place all the time.
- If you want panics and errors to both have backtraces, set
RUST_BACKTRACE=1;
- If you want only errors to have backtraces, set
RUST_LIB_BACKTRACE=1;
- If you want only panics to have backtraces, set RUST_BACKTRACE=1andRUST_LIB_BACKTRACE=0.
§Stability
Standard library backtraces are only available when using Rust ≥
1.65. On older compilers, this function is only available if the crate’s
“backtrace” feature is enabled, and will use the backtrace crate as
the underlying backtrace implementation. The return type of this
function on old compilers is &(impl Debug + Display).
[dependencies]
anyhow = { version = "1.0", features = ["backtrace"] }Sourcepub fn chain(&self) -> Chain<'_> ⓘ
 
pub fn chain(&self) -> Chain<'_> ⓘ
An iterator of the chain of source errors contained by this Error.
This iterator will visit every error in the cause chain of this error object, beginning with the error that this error object was created from.
§Example
use anyhow::Error;
use std::io;
pub fn underlying_io_error_kind(error: &Error) -> Option<io::ErrorKind> {
    for cause in error.chain() {
        if let Some(io_error) = cause.downcast_ref::<io::Error>() {
            return Some(io_error.kind());
        }
    }
    None
}Sourcepub fn root_cause(&self) -> &(dyn Error + 'static)
 
pub fn root_cause(&self) -> &(dyn Error + 'static)
The lowest level cause of this error — this error’s cause’s cause’s cause etc.
The root cause is the last error in the iterator produced by
chain().
Sourcepub fn is<E>(&self) -> bool
 
pub fn is<E>(&self) -> bool
Returns true if E is the type held by this error object.
For errors with context, this method returns true if E matches the
type of the context C or the type of the error on which the
context has been attached. For details about the interaction between
context and downcasting, see here.
Sourcepub fn downcast<E>(self) -> Result<E, Error>
 
pub fn downcast<E>(self) -> Result<E, Error>
Attempt to downcast the error object to a concrete type.
Sourcepub fn downcast_ref<E>(&self) -> Option<&E>
 
pub fn downcast_ref<E>(&self) -> Option<&E>
Downcast this error object by reference.
§Example
// If the error was caused by redaction, then return a tombstone instead
// of the content.
match root_cause.downcast_ref::<DataStoreError>() {
    Some(DataStoreError::Censored(_)) => Ok(Poll::Ready(REDACTED_CONTENT)),
    None => Err(error),
}Sourcepub fn downcast_mut<E>(&mut self) -> Option<&mut E>
 
pub fn downcast_mut<E>(&mut self) -> Option<&mut E>
Downcast this error object by mutable reference.
Sourcepub fn into_boxed_dyn_error(self) -> Box<dyn Error + Send + Sync>
 
pub fn into_boxed_dyn_error(self) -> Box<dyn Error + Send + Sync>
Convert to a standard library error trait object.
This is implemented as a cheap pointer cast that does not allocate or
deallocate memory. Like anyhow::Error::from_boxed, it’s useful for
interop with other error libraries.
The same conversion is also available as
impl From<anyhow::Error>
for Box<dyn Error + Send + Sync + 'static>.
If a backtrace was collected during construction of the anyhow::Error,
that backtrace remains accessible using the standard library Error
trait’s provider API, but as a consequence, the resulting boxed error
can no longer be downcast to its original underlying type.
#![feature(error_generic_member_access)]
use anyhow::anyhow;
use std::backtrace::Backtrace;
use thiserror::Error;
#[derive(Error, Debug)]
#[error("...")]
struct MyError;
let anyhow_error = anyhow!(MyError);
println!("{}", anyhow_error.backtrace());  // has Backtrace
assert!(anyhow_error.downcast_ref::<MyError>().is_some());  // can downcast
let boxed_dyn_error = anyhow_error.into_boxed_dyn_error();
assert!(std::error::request_ref::<Backtrace>(&*boxed_dyn_error).is_some());  // has Backtrace
assert!(boxed_dyn_error.downcast_ref::<MyError>().is_none());  // can no longer downcastSourcepub fn reallocate_into_boxed_dyn_error_without_backtrace(
    self,
) -> Box<dyn Error + Send + Sync>
 
pub fn reallocate_into_boxed_dyn_error_without_backtrace( self, ) -> Box<dyn Error + Send + Sync>
Convert to a standard library error trait object.
Unlike self.into_boxed_dyn_error(), this method relocates the
underlying error into a new allocation in order to make it downcastable
to &E or Box<E> for its original underlying error type. Any
backtrace collected during construction of the anyhow::Error is
discarded.
#![feature(error_generic_member_access)]
use anyhow::anyhow;
use std::backtrace::Backtrace;
use thiserror::Error;
#[derive(Error, Debug)]
#[error("...")]
struct MyError;
let anyhow_error = anyhow!(MyError);
println!("{}", anyhow_error.backtrace());  // has Backtrace
assert!(anyhow_error.downcast_ref::<MyError>().is_some());  // can downcast
let boxed_dyn_error = anyhow_error.reallocate_into_boxed_dyn_error_without_backtrace();
assert!(std::error::request_ref::<Backtrace>(&*boxed_dyn_error).is_none());  // Backtrace lost
assert!(boxed_dyn_error.downcast_ref::<MyError>().is_some());  // can downcast to &MyError
assert!(boxed_dyn_error.downcast::<MyError>().is_ok());  // can downcast to Box<MyError>Methods from Deref<Target = dyn Error + Send + Sync>§
1.3.0 · Sourcepub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
 
pub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
Returns true if the inner type is the same as T.
1.3.0 · Sourcepub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
 
pub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
Returns some reference to the inner value if it is of type T, or
None if it isn’t.
1.3.0 · Sourcepub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
 
pub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
Returns some mutable reference to the inner value if it is of type T, or
None if it isn’t.
1.3.0 · Sourcepub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
 
pub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
1.3.0 · Sourcepub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
 
pub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
1.3.0 · Sourcepub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
 
pub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
1.3.0 · Sourcepub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
 
pub fn is<T>(&self) -> boolwhere
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
1.3.0 · Sourcepub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
 
pub fn downcast_ref<T>(&self) -> Option<&T>where
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
1.3.0 · Sourcepub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
 
pub fn downcast_mut<T>(&mut self) -> Option<&mut T>where
    T: Error + 'static,
Forwards to the method defined on the type dyn Error.
Sourcepub fn sources(&self) -> Source<'_>
 🔬This is a nightly-only experimental API. (error_iter)
pub fn sources(&self) -> Source<'_>
error_iter)Returns an iterator starting with the current error and continuing with
recursively calling Error::source.
If you want to omit the current error and only use its sources,
use skip(1).
§Examples
#![feature(error_iter)]
use std::error::Error;
use std::fmt;
#[derive(Debug)]
struct A;
#[derive(Debug)]
struct B(Option<Box<dyn Error + 'static>>);
impl fmt::Display for A {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        write!(f, "A")
    }
}
impl fmt::Display for B {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        write!(f, "B")
    }
}
impl Error for A {}
impl Error for B {
    fn source(&self) -> Option<&(dyn Error + 'static)> {
        self.0.as_ref().map(|e| e.as_ref())
    }
}
let b = B(Some(Box::new(A)));
// let err : Box<Error> = b.into(); // or
let err = &b as &dyn Error;
let mut iter = err.sources();
assert_eq!("B".to_string(), iter.next().unwrap().to_string());
assert_eq!("A".to_string(), iter.next().unwrap().to_string());
assert!(iter.next().is_none());
assert!(iter.next().is_none());Trait Implementations§
impl RefUnwindSafe for Error
impl UnwindSafe for Error
Auto Trait Implementations§
Blanket Implementations§
Source§impl<T> BorrowMut<T> for Twhere
    T: ?Sized,
 
impl<T> BorrowMut<T> for Twhere
    T: ?Sized,
Source§fn borrow_mut(&mut self) -> &mut T
 
fn borrow_mut(&mut self) -> &mut T
Source§impl<T> IntoEither for T
 
impl<T> IntoEither for T
Source§fn into_either(self, into_left: bool) -> Either<Self, Self> ⓘ
 
fn into_either(self, into_left: bool) -> Either<Self, Self> ⓘ
self into a Left variant of Either<Self, Self>
if into_left is true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read moreSource§fn into_either_with<F>(self, into_left: F) -> Either<Self, Self> ⓘ
 
fn into_either_with<F>(self, into_left: F) -> Either<Self, Self> ⓘ
self into a Left variant of Either<Self, Self>
if into_left(&self) returns true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read more