温馨提示×

rust thiserror如何进行单元测试

小樊
81
2024-11-29 03:05:32
栏目: 编程语言

在Rust中,使用thiserror库进行错误处理时,可以通过编写单元测试来确保错误枚举的正确实现。以下是一个简单的示例,展示了如何使用thiserror进行单元测试:

首先,创建一个使用thiserror的错误枚举:

// src/lib.rs
use thiserror::Error;

#[derive(Error, Debug)]
pub enum MyError {
    #[error("An IO error occurred: {0}")]
    IoError(#[from] std::io::Error),

    #[error("A custom error occurred: {0}")]
    CustomError(String),
}

接下来,编写一个函数,该函数可能会返回上述错误:

// src/lib.rs
use std::fs::File;
use std::io::Read;

pub fn read_file_contents(file_path: &str) -> Result<String, MyError> {
    let mut file = File::open(file_path)?;
    let mut contents = String::new();
    file.read_to_string(&mut contents)?;
    Ok(contents)
}

现在,编写一个单元测试来测试read_file_contents函数和MyError枚举:

// tests/lib.rs
use super::*;

#[cfg(test)]
mod tests {
    use std::io::Write;

    #[test]
    fn test_read_file_contents() {
        // 创建一个测试文件
        let mut test_file = File::create("test.txt").unwrap();
        test_file.write_all(b"Test content").unwrap();
        test_file.sync_all().unwrap();

        // 测试成功读取文件
        let contents = read_file_contents("test.txt").unwrap();
        assert_eq!(contents, "Test content");

        // 测试IO错误
        std::fs::remove_file("test.txt").unwrap();
        assert!(read_file_contents("test.txt").is_err());
        if let MyError::IoError(e) = read_file_contents("test.txt").unwrap_err() {
            assert_eq!(e.to_string(), "An IO error occurred: Os { code: 2, kind: NotFound, message: \"No such file or directory\" }");
        }

        // 测试自定义错误
        let mut test_file = File::create("test.txt").unwrap();
        test_file.write_all(b"Test content").unwrap();
        test_file.sync_all().unwrap();
        std::fs::remove_file("test.txt").unwrap();
        assert!(read_file_contents("test.txt").is_err());
        if let MyError::CustomError(e) = read_file_contents("test.txt").unwrap_err() {
            assert_eq!(e, "A custom error occurred: Custom error message");
        }
    }
}

在这个示例中,我们创建了一个名为test.txt的测试文件,并在其中写入了一些内容。然后,我们测试了read_file_contents函数在不同情况下的行为,包括成功读取文件、发生IO错误和自定义错误。通过这些测试,我们可以确保MyError枚举和read_file_contents函数的正确实现。

0