打开文件 open

open 静态方法能够以只读模式(read-only mode)打开一个文件。

File 拥有一个资源,文件描述符(file descriptor),以及在文件丢弃时管理好关闭文件的操作。(原文:A File owns a resource, the file descriptor and takes care of closing the file when it is droped.)

  1. use std::error::Error;
  2. use std::fs::File;
  3. use std::io::prelude::*;
  4. use std::path::Path;
  5. fn main() {
  6. // 给所需的文件创建一个路径
  7. let path = Path::new("hello.txt");
  8. let display = path.display();
  9. // 以只读方式打开路径,返回 `io::Result<File>`
  10. let mut file = match File::open(&path) {
  11. // `io::Error` 的 `description` 方法返回一个描述错误的字符串。
  12. Err(why) => panic!("couldn't open {}: {}", display,
  13. why.description()),
  14. Ok(file) => file,
  15. };
  16. // 读取文件内容到一个字符串,返回 `io::Result<usize>`
  17. let mut s = String::new();
  18. match file.read_to_string(&mut s) {
  19. Err(why) => panic!("couldn't read {}: {}", display,
  20. why.description()),
  21. Ok(_) => print!("{} contains:\n{}", display, s),
  22. }
  23. // `file` 离开作用域,并且 `hello.txt` 文件将被关闭。
  24. }

下面是预期成功的输出:

  1. $ echo "Hello World!" > hello.txt
  2. $ rustc open.rs && ./open
  3. hello.txt contains:
  4. Hello World!

(我们鼓励您在不同的失败条件下测试前面的例子:hello.txt 不存在,或 hello.txt 不可读,等等。)