为什么不使用unwrap()导致错误?

时间:2016-09-08 07:41:34

标签: types rust

使用Rust 1.11.0,我收到错误:

error: no method named read_to_string found for type std::result::Result<std::fs::File, std::io::Error> in the current scope

当我不使用unwrap()时:

use std::io::prelude::*;
use std::fs::File;

fn main() {
    let mut f = File::open("D:/test/rust/io.txt"); // Error thrown here
    let mut s = String::new();
    f.read_to_string(&mut s);
    println!("{}", s);
}

这很好用:

use std::io::prelude::*;
use std::fs::File;

fn main() {
    let mut f = File::open("D:/test/rust/io.txt").unwrap();
    let mut s = String::new();
    f.read_to_string(&mut s); // Warning thrown here
    println!("{}", s);
}

但它也会发出警告,所以我必须在unwrap()之后添加另一个read_to_string()

use std::io::prelude::*;
use std::fs::File;

fn main() {
    let mut f = File::open("D:/test/rust/io.txt").unwrap();
    let mut s = String::new();
    f.read_to_string(&mut s).unwrap(); // Notice the 2nd unwrap here
    println!("{}", s);
}

这里发生了什么?

1 个答案:

答案 0 :(得分:9)

因为read_to_string()是一种可用于实现io::Read特征的类型的方法。您尝试使用它的是Result<fs::File, io::Error>,它不实现它。

当您在Result<T, E>上致电unwrap()时,会产生T - 在这种情况下fs::File会执行io::Read

当您未unwrap()致电f.read_to_string(&mut s)时,您收到的警告是因为它返回的Result<T, E>类型具有属性#[must_use],这意味着它不能被丢弃;您可以执行以下"ignoring" assignment以获取警告:

let _ = f.read_to_string(&mut s);