This crate contains a macro that should make it easier to define custom errors without having to write a lot of boilerplate code.
The custom_error!
macro included in this crate takes a type name
and a list of possible errors and generates a rust enumeration for all the cases,
together with the required impl
blocks implementing std::error::Error
and std::fmt::Display
.
You can now write
rust
custom_error!(MyError
Unknown{code:u8} = "unknown error with code {code}.",
Err41 = "Sit by a lake"
);
instead of
```rust
enum MyError { Unknown { code: u8 }, Err41, }
impl std::error::Error for MyError {}
impl std::fmt::Display for MyError { fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result { match self { MyError::Unknown { code } => write!(f, "unknown error with code {}." , code), MyError::Err41 => write!(f, "Sit by a lake") } } } ```
To define a simple error, you only have to indicate three things: * the name of your custom error type, * the name of the different error cases, * a human-readable description for each case.
```rust extern crate customerror; use customerror::custom_error;
custom_error!(MyError Bad = "Something bad happened", Terrible = "This is a very serious error!!!" ); ```
You can store data inside your errors. In order to do so, indicate the name and types of the fields to want to store in curly braces after an error type.
```rust extern crate customerror; use customerror::custom_error;
custom_error!(SantaError BadChild{name:String, foolishness:u8} = "{name} has been bad {foolishness} times this year", TooFar = "The location you indicated is too far from the north pole", InvalidReindeer{legs:u8} = "The reindeer has {legs} legs" );
asserteq!( "Thomas has been bad 108 times this year", SantaError::BadChild{name: "Thomas".into(), foolishness: 108}.tostring()); ```
If the cause of your error is another lower-level error, you can indicate that
by adding a special source
field to one of your error.
Thus, you can make your custom error wrap other error types, and the conversion from these foreign error types will be implemented automatically.
```rust
use std::{io, io::Read, fs::File, result::Result, num::ParseIntError};
custom_error! {FileParseError Io{source: io::Error} = "unable to read from the file", Format{source: ParseIntError} = "the file does not contain a valid integer", TooLarge{value:u8} = "the number in the file ({value}) is too large" }
fn parsehexfile(filename: &str) -> Result
fn main() { let parseresult = parsehexfile("/i'm not a file/"); asserteq!("unable to read from the file", parseresult.unwraperr().to_string()); } ```