19 releases
0.3.1 | Jun 19, 2024 |
---|---|
0.3.0 | Feb 23, 2023 |
0.2.3 | Jan 14, 2021 |
0.2.2 | Aug 16, 2020 |
0.1.1 | Mar 24, 2016 |
#475 in Rust patterns
66,263 downloads per month
Used in 118 crates
(89 directly)
20KB
220 lines
simple-error
simple-error
is a Rust
library that provides a simple Error
type backed by a String
. It is best used when all you care about the error is an error string.
Usage
To use simple-error
, first add this to your Cargo.toml
:
[dependencies]
simple-error = "0.3"
Then add this to your crate root:
#[macro_use]
extern crate simple_error;
use simple_error::SimpleError;
Or you can skip the extern crate
and just import relevant items you use if you are on 2018 edition or beyond.
Now you can use simple-error
in different ways:
You can use it simply as a string error type:
fn do_foo() -> Result<(), SimpleError> {
Err(SimpleError::new("cannot do foo"))
}
You can use it to replace all error types if you only care about a string description:
fn do_bar() -> Result<(), SimpleError> {
Err(SimpleError::from(std::io::Error(io::ErrorKind::Other, "oh no")))
}
Or you can chain all the errors, and get a complete error description at the top level:
fn find_tv_remote() -> Result<(), SimpleError> {
try_with!(std::fs::File::open("remotefile"), "failed to open remote file");
Ok(())
}
fn turn_on_tv() -> Result<(), std::io::Error> {
Ok(())
}
fn watch_tv() -> Result<(), SimpleError> {
try_with!(find_tv_remote(), "tv remote not found");
try_with!(turn_on_tv(), "cannot turn on tv");
Ok(())
}
fn study() -> Result<(), SimpleError> {
Ok(())
}
fn run() -> Result<(), SimpleError> {
try_with!(study(), "cannot study");
try_with!(watch_tv(), "cannot watch tv");
Ok(())
}
fn main() {
if let Err(e) = run() {
println!("{}", e);
}
}
// This prints out "cannot watch tv, tv remote not found, failed to open remote file, Text file busy" if the error is text file busy.