為錯誤添加背景資訊

透過廣泛使用的 anyhow crate,您可以為錯誤添加背景資訊,並減少自訂錯誤型別的數量:

use std::{fs, io};
use std::io::Read;
use anyhow::{Context, Result, bail};

fn read_username(path: &str) -> Result<String> {
    let mut username = String::with_capacity(100);
    fs::File::open(path)
        .with_context(|| format!("Failed to open {path}"))?
        .read_to_string(&mut username)
        .context("Failed to read")?;
    if username.is_empty() {
        bail!("Found no username in {path}");
    }
    Ok(username)
}

fn main() {
    //fs::write("config.dat", "").unwrap();
    match read_username("config.dat") {
        Ok(username) => println!("Username: {username}"),
        Err(err)     => println!("Error: {err:?}"),
    }
}
  • anyhow::Result<V>Result<V, anyhow::Error> 的型別別名。
  • anyhow::Error 基本上是 Box<dyn Error> 周遭的包裝函式。因此,通常也是不建議程式庫的公用 API 使用,但可在應用程式中廣泛使用。
  • 必要時,可以擷取其中的實際錯誤類型進行檢查。
  • Go 開發人員可能會覺得 anyhow::Result<T> 提供的功能似曾相識,因為該功能提供了與 Go 中的 (T, error) 類似的使用模式和人體工學。