4

我希望这个函数返回一个错误结果:

fn get_result() -> Result<String, std::io::Error> {
     // Ok(String::from("foo")) <- works fine
     Result::Err(String::from("foo"))
}

错误信息

error[E0308]: mismatched types
 --> src/main.rs:3:17
  |
3 |     Result::Err(String::from("foo"))
  |                 ^^^^^^^^^^^^^^^^^^^ expected struct `std::io::Error`, found struct `std::string::String`
  |
  = note: expected type `std::io::Error`
             found type `std::string::String`

我很困惑如何在使用预期的结构时打印出错误消息。

4

2 回答 2

10

错误信息非常清楚。您的返回类型为get_resultResult<String, std::io::Error>这意味着在这种Result::Ok情况下,Ok变体的内部值是 type String,而在这种Result::Err情况下,变体的内部值Err是 type std::io::Error

您的代码试图创建一个Err内部值为 type 的变体,String编译器理所当然地抱怨类型不匹配。要创建一个新的std::io::Error,可以使用newon 方法std::io::Error。这是使用正确类型的代码示例:

fn get_result() -> Result<String, std::io::Error> {
    Err(std::io::Error::new(std::io::ErrorKind::Other, "foo"))
}
于 2017-08-15T08:46:21.030 回答
5

如果我做对了,你可能想做这样的事情......

fn get_result() -> Result<String, String> {
   // Ok(String::from("foo")) <- works fine
   Result::Err(String::from("Error"))
}

fn main(){
    match get_result(){
        Ok(s) => println!("{}",s),
        Err(s) => println!("{}",s)
    };
}

我不建议这样做。

于 2017-08-09T08:11:57.083 回答