Rust从fn:不匹配的类型返回结果错误

时间:2017-08-09 06:36:40

标签: rust rust-result

我希望此函数返回错误结果:

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`

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

2 个答案:

答案 0 :(得分:7)

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

您的代码尝试创建内部值为String的{​​{1}}变体,并且编译器正确地抱怨类型不匹配。要创建新的std::io::Error,您可以使用new method on std::io::Error。以下是使用正确类型的代码示例:

fn get_result() -> Result<String, std::io::Error> {
    Err(std::io::Error::new(std::io::ErrorKind::Other, "foo"))
}

答案 1 :(得分:3)

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

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)
    };
}

我不建议这样做。