为什么这个变量不够长寿?

时间:2015-12-25 04:23:18

标签: rust ownership borrow-checker

我正在尝试从getopts中提取一个可选的arg,并且获取一个借来的值对于变量s来说没有足够长的错误。

代码:

let cfgFilePath = match matches.opt_str("c") {
    Some(s) => Some(Path::new(&s.clone())),
    None => None
};

错误:

main.rs:29:36: 29:45 error: borrowed value does not live long enough
main.rs:29         Some(s) => Some(Path::new(&s.clone())),
                                              ^~~~~~~~~
main.rs:31:7: 65:2 note: reference must be valid for the block suffix following statement 10 at 31:6...
main.rs:31     };
main.rs:32     let tmpdir = Path::new(&matches.opt_str("t").unwrap_or("/tmp/".to_string()));
main.rs:33     let name = matches.opt_str("n").unwrap_or_else(||{
main.rs:34         print_usage(&program, opts);
main.rs:35         panic!("error: -n NAME required");
main.rs:36     });
           ...

无论.clone().to_owned().to_str()还是我想过的其他任何内容,都会发生这种情况。

1 个答案:

答案 0 :(得分:4)

由于Path::new(&x)会返回&Pathx借用其内容。

Some(s) => Some(Path::new(&s.clone())), // Type is Option<&Path>
// reborrow --------------^

您真正想要做的是使用PathBuf(相当于Path)。 PathBuf将取得s的所有权,而不是借用它。

let cfgFilePath = match matches.opt_str("c") {
    Some(s) => Some(PathBuf::from(s)),
    None => None
};