Exun

There are many errors we don't expect to occur. But what if we're wrong? We don't want our programs to panic because of that. We also don't want to spend so much time handling unexpected errors. That's what this crate is for. You keep your unexpected errors, and don't worry about them until later.

Usage

The only pre-requisite is Rust 1.41.1.

For standard features:

```toml [dependencies]

...

exun = "0.1" ```

The following features are enabled by default:

To disable these features:

```toml [dependencies]

...

exun = { version = "0.1", default-features = false } ```

If you'd like to use alloc but not std:

```toml [dependencies]

...

exun = { version = "0.1", default-features = false, features = ["alloc"] } ```

Examples

```rust use exun::*;

fn foo(num: &str) -> Result { // we use unexpect to indicate that we don't expect this error to occur let num = num.parse::().unexpect()?; Ok(num) } ```

```rust use std::error::Error; use std::fmt::{self, Display};

use exun::*;

[derive(Debug)]

struct NoNumberError;

impl Display for NoNumberError { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "no number provided") } }

impl Error for NoNumberError {}

fn foo(num: Option<&str>) -> Result> { let num = num.ok_or(NoNumberError)?; // we expect that this may return an error let num = num.parse::().unexpect()?; // but we think the number is otherwise parsable Ok(num) } ```

```rust use std::error::Error; use std::fmt::{self, Display}; use std::num::ParseIntError;

use exun::*;

[derive(Debug)]

struct NoNumberError;

impl Display for NoNumberError { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "no number provided") } }

impl Error for NoNumberError {}

fn foo(num: Option<&str>) -> Result> { // we expect it possible to not get a number, so we handle it as such let num = match num { Some(num) => num, None => return Err(Expected("no number provided")), };

// however, we expect that the number is otherwise parsable
match num.parse() {
    Ok(int) => Ok(int),
    Err(e) => Err(Unexpected(e))
}

} ```