std :: fs ::文件+文档+试试! = E0308

时间:2015-05-15 23:31:58

标签: rust

我想创建一个空文件,所以我使用了an example并且今天使用了

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

fn main() {
    let mut f = try!(File::create("foo"));
}

正在运行rustc有错误:

<std macros>:5:8: 6:42 error: mismatched types:
 expected `()`,
    found `core::result::Result<_, _>`
(expected (),
    found enum `core::result::Result`) [E0308]
<std macros>:5 return $ crate:: result:: Result:: Err (
<std macros>:6 $ crate:: convert:: From:: from ( err ) ) } } )
<std macros>:1:1: 6:48 note: in expansion of try!
file_io.rs:5:17: 5:42 note: expansion site
<std macros>:5:8: 6:42 help: pass `--explain E0308` to see a detailed explanation
error: aborting due to previous error

如果我删除try!,它会编译,但我应该如何处理错误?为什么这个例子没有按原样编译?

2 个答案:

答案 0 :(得分:4)

try!是一个宏,用于返回Result的函数。因此,它不能在main函数中使用,因为它返回单位(空元组)。

看看它是如何扩展的:

fn main() {
    let mut f = match File::create("foo") {
        Ok(val) => val,
        Err(err) => return Err(From::from(err)),
    };
}

http://blog.burntsushi.net/rust-error-handling/是关于Rust中错误处理的好文章;对于像您这样的简单脚本,使用Result::unwrapFile::create("foo").unwrap())可能是合理的。

答案 1 :(得分:3)

让我们看一下try!()宏:

macro_rules! try {
    ($expr:expr) => (match $expr {
        $crate::result::Result::Ok(val) => val,
        $crate::result::Result::Err(err) => {
            return $crate::result::Result::Err($crate::convert::From::from(err))
        }
    })
}

正如您所看到的,try!()生成val作为表达式,或者从函数中返回Err。因此,在处理宏之后,展开的代码如下所示:

fn main() {
    let mut f = (match File::create("foo") {
        Ok(val) => val,
        Err(err) => {
            return Err(...)
        }
    })
}

希望错误现在很明显:main()应该返回(),但是您返回Err(类型为Result<File>)。

故事的寓意是你在错误的场景中使用try!()。它应该仅用于已经设计为返回Result的函数内部,就像在C ++或Java中重新抛出(冒泡)异常一样。但在你的情况下,你需要明确地处理错误 - 没有冒泡的可能性。一个可能的解决方案,虽然不是很优雅,但如果是.unwrap(),则使用Err来破坏程序。