rustHow to match multiple error types in Rust
Rust provides a powerful way to match multiple error types using the match
keyword. This allows you to handle different types of errors in a single block of code.
Here is an example of how to match multiple error types in Rust:
fn main() {
let result = do_something();
match result {
Ok(value) => println!("Success: {}", value),
Err(err) => match err {
Error::IOError(e) => println!("IO Error: {}", e),
Error::ParseError(e) => println!("Parse Error: {}", e),
_ => println!("Unknown Error"),
},
}
}
In this example, the do_something()
function returns a Result
type, which can either be an Ok
value or an Err
value. If the result is an Ok
value, it is printed to the console. If the result is an Err
value, it is matched against different types of errors. In this example, we are matching against IOError
and ParseError
. If the error matches either of these types, the appropriate message is printed to the console. If the error does not match either of these types, a generic "Unknown Error" message is printed.
Here is a breakdown of the code:
-
let result = do_something()
: This line calls thedo_something()
function and stores the result in theresult
variable. -
match result {
: This line starts amatch
block, which is used to match against different types of errors. -
Ok(value) => println!("Success: {}", value)
: This line matches againstOk
values and prints a success message to the console. -
Err(err) => match err {
: This line matches againstErr
values and starts a newmatch
block to match against different types of errors. -
Error::IOError(e) => println!("IO Error: {}", e)
: This line matches againstIOError
and prints an appropriate message to the console. -
Error::ParseError(e) => println!("Parse Error: {}", e)
: This line matches againstParseError
and prints an appropriate message to the console. -
_ => println!("Unknown Error")
: This line matches against any other type of error and prints a generic "Unknown Error" message to the console. -
}
: This line closes thematch
block.
Output
Success:
or
IO Error:
or
Parse Error:
or
Unknown Error
Helpful links:
More of Rust
- How to match the end of a line in a Rust regex?
- How to match whitespace with a regex in Rust?
- How to convert a vector to a Rust slice?
- How to match a URL with a regex in Rust?
- How to replace a capture group using Rust regex?
- How to parse a file with Rust regex?
- How to extract data with regex in Rust?
- How to replace strings using Rust regex?
- How to get a capture group using Rust regex?
- How to convert struct to JSON string in Rust?
See more codes...