读取文件

现在,我们将添加读取 file_path 参数中指定文件的功能。首先我们需要一个示例文件来测试:我们将使用一个包含少量文本、多行且有一些重复单词的文件。列表 12-3 中有一首艾米莉·狄金森的诗,效果很好!在您的项目根目录创建一个名为 *poem.txt* 的文件,并输入诗歌“我是一个无名之辈!你是谁?”。

文件名:poem.txt
I'm nobody! Who are you? Are you nobody, too? Then there's a pair of us - don't tell! They'd banish us, you know. How dreary to be somebody! How public, like a frog To tell your name the livelong day To an admiring bog!
列表 12-3:艾米莉·狄金森的一首诗是一个很好的测试用例。

有了文本后,编辑 *src/main.rs* 并添加代码来读取文件,如列表 12-4 所示。

文件名:src/main.rs
use std::env; use std::fs; fn main() { // --snip-- let args: Vec<String> = env::args().collect(); let query = &args[1]; let file_path = &args[2]; println!("Searching for {query}"); println!("In file {file_path}"); let contents = fs::read_to_string(file_path) .expect("Should have been able to read the file"); println!("With text:\n{contents}"); }
列表 12-4:读取第二个参数指定的文件内容

首先,我们使用 use 语句引入标准库的相关部分:我们需要 std::fs 来处理文件。

main 中,新语句 fs::read_to_string 获取 file_path,打开该文件,并返回一个类型为 std::io::Result<String> 的值,其中包含文件的内容。

之后,我们再次添加一个临时的 println! 语句,在文件读取后打印 contents 的值,以便我们可以检查程序到目前为止是否正常工作。

让我们运行这段代码,将任意字符串作为第一个命令行参数(因为我们还没有实现搜索部分),并将 *poem.txt* 文件作为第二个参数

$ cargo run -- the poem.txt Compiling minigrep v0.1.0 (file:///projects/minigrep) Finished `dev` profile [unoptimized + debuginfo] target(s) in 0.0s Running `target/debug/minigrep the poem.txt` Searching for the In file poem.txt With text: I'm nobody! Who are you? Are you nobody, too? Then there's a pair of us - don't tell! They'd banish us, you know. How dreary to be somebody! How public, like a frog To tell your name the livelong day To an admiring bog!

太棒了!代码读取并打印了文件的内容。但是这段代码有一些缺陷。目前,main 函数承担了多个职责:通常,如果每个函数只负责一个概念,函数会更清晰且更容易维护。另一个问题是我们没有像我们本可以的那样处理错误。该程序仍然很小,因此这些缺陷不是大问题,但是随着程序的增长,将更难以干净地修复它们。在开发程序时尽早开始重构是一个好习惯,因为重构少量代码要容易得多。接下来我们将这样做。