動態錯誤型別
我們有時會想允許傳回任何型別的錯誤,而不是自行編寫涵蓋所有不同可能性的列舉。std::error::Error
可讓這項工作更輕鬆。
use std::fs; use std::io::Read; use thiserror::Error; use std::error::Error; #[derive(Clone, Debug, Eq, Error, PartialEq)] #[error("Found no username in {0}")] struct EmptyUsernameError(String); fn read_username(path: &str) -> Result<String, Box<dyn Error>> { let mut username = String::new(); fs::File::open(path)?.read_to_string(&mut username)?; if username.is_empty() { return Err(EmptyUsernameError(String::from(path)).into()); } Ok(username) } fn main() { //fs::write("config.dat", "").unwrap(); match read_username("config.dat") { Ok(username) => println!("Username: {username}"), Err(err) => println!("Error: {err}"), } }
這可少用一些程式碼,但犧牲掉的是無法在程式中以不同方式乾淨地處理各種錯誤情況。因此,在程式庫的公用 API 中使用 Box<dyn Error>
,通常不是一個理想方式,但如果您只想在程式中的某處顯示錯誤訊息,它可能是不錯的選擇。