Skip to content
This repository has been archived by the owner on May 10, 2024. It is now read-only.
/ wrapping_error Public archive

An anti-boilerplate package for errors that wrap errors.

License

Notifications You must be signed in to change notification settings

valentinegb/wrapping_error

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

19 Commits
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

wrapping_error

Rust crates.io Docs.rs

An anti-boilerplate package for errors that wrap errors.

This package only exports one item: the wrapping_error macro. Using the wrapping_error macro, you can write this:

use std::{env::VarError, io};

use wrapping_error::wrapping_error;

wrapping_error!(pub(crate) AppDataError {
    Var(VarError) => "could not get $HOME environment variable",
    Io(io::Error) => "failed to read/write app data",
    Postcard(postcard::Error) => "failed to serialize/deserialize app data",
});

and get this:

use std::{fmt, error, env::VarError, io};

#[derive(Debug)]
pub(crate) enum AppDataError {
    Var(VarError),
    Io(io::Error),
    Postcard(postcard::Error),
}

impl fmt::Display for AppDataError {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        match *self {
            Self::Var(..) => write!(f, "could not get $HOME environment variable"),
            Self::Io(..) => write!(f, "failed to read/write app data"),
            Self::Postcard(..) => write!(f, "failed to serialize/deserialize app data"),
            ref err => err.fmt(f),
        }
    }
}

impl error::Error for AppDataError {
    fn source(&self) -> Option<&(dyn error::Error + 'static)> {
        match *self {
            ref err => Some(err),
        }
    }
}

impl From<VarError> for AppDataError {
    fn from(err: VarError) -> Self {
        Self::Var(err)
    }
}

impl From<io::Error> for AppDataError {
    fn from(err: io::Error) -> Self {
        Self::Io(err)
    }
}

impl From<postcard::Error> for AppDataError {
    fn from(err: postcard::Error) -> Self {
        Self::Postcard(err)
    }
}