err-as-you-go
Crates like [anyhow] allow for easily constructing ad-hoc errors for function returns. However, these errors are opaque to the caller.
This crate allows you to create errors just as easily as [anyhow], but with handleable branches for callers.
```rust use errasyougo::errasyougo;
fn shaveyaks( numyaks: usize, emptybuckets: usize, numrazors: usize, ) -> Result<(), ShaveYaksError> { if numrazors == 0 { return Err(err!(NotEnoughRazors)); } if numyaks > emptybuckets { return Err(err!(NotEnoughBuckets { got: usize = emptybuckets, required: usize = num_yaks, })); } Ok(()) } ```
Importantly, you can derive on the generated struct, and passthrough attributes, allowing you to use crates like [thiserror]. ```rust
fn shaveyaks( numyaks: usize, emptybuckets: usize, numrazors: usize, ) -> Result<(), ShaveYaksError> { if numrazors == 0 { return Err(err!(#[error("not enough razors!")] NotEnoughRazors)); } if numyaks > emptybuckets { return Err(err!(#[error("not enough buckets - needed {required}")] NotEnoughBuckets { got: usize = emptybuckets, required: usize = num_yaks, })); } Ok(()) } ```
Under the hood, an enum like this is generated: ```rust
enum ShaveYaksError { // name is taken from function return type
#[error("not enough razors!")]
NotEnoughRazors,
#[error("not enough buckets - needed {required}")]
NotEnoughBuckets {
got: usize,
required: usize,
}
}
And `err!` macro invocations are replaced with struct instantiations - no matter where they are in the function body!
If you need to reuse the same variant within a function, just use the normal construction syntax:
rust
fn foo() -> Result<(), FooError> { if true { return Err(err!(Bar)); } Err(FooError::Bar) } ```