1
0
mirror of https://github.com/google/comprehensive-rust.git synced 2025-05-17 16:12:39 +02:00

56 lines
1.1 KiB
Markdown
Raw Normal View History

2022-12-21 16:36:30 +01:00
# Propagating Errors with `?`
The try-operator `?` is used to return errors to the caller. It lets you turn
the common
```rust,ignore
match some_expression {
Ok(value) => value,
Err(err) => return Err(err),
}
```
into the much simpler
```rust,ignore
some_expression?
```
We can use this to simplify our error handing code:
```rust,editable
use std::fs;
use std::io::{self, Read};
fn read_username(path: &str) -> Result<String, io::Error> {
let username_file_result = fs::File::open(path);
let mut username_file = match username_file_result {
Ok(file) => file,
Err(e) => return Err(e),
};
let mut username = String::new();
match username_file.read_to_string(&mut username) {
Ok(_) => Ok(username),
Err(e) => Err(e),
}
}
fn main() {
//fs::write("config.dat", "alice").unwrap();
let username = read_username("config.dat");
println!("username or error: {username:?}");
2022-12-21 16:36:30 +01:00
}
```
2023-01-11 18:07:14 -08:00
<details>
Key points:
* The `username` variable can be either `Ok(string)` or `Err(error)`.
* Use the `fs::write` call to test out the different scenarios: no file, empty file, file with username.
</details>