0

借用チェッカーのどの部分に違反しているのかを理解するにはどうすればよいですか?

Rust の標準ライブラリwalk_dirは(2015 年 9 月 27 日の時点で) 「不安定」としてリストされているため、ディレクトリ内のすべてのファイルとその子ディレクトリを自分で取得する独自の関数を構築しようと考えました。

ディレクトリ内のファイルをリストするだけで、子ディレクトリの部分はまだ見ていないのは次のとおりです。

use std::fs::File;
use std::path::{Path,PathBuf};

fn get_files(this_path: &Path) -> Vec<&PathBuf>{
    let contents = fs::read_dir(this_path).unwrap();
    let mut output: Vec<&PathBuf> = Vec::new();

    for path in contents {
        let p = path.unwrap().path();
        if fs::metadata(&p).unwrap().is_dir() {
            // dunno, recursively append files to output 
        } else if fs::metadata(&p).unwrap().is_file() {
            output.push(&p)
        }
    }

    return output;
}

fn main() {
    for f in get_files(Path::new(".")) {
        println!("{}", f.display())
    }
}

このコードを実行しようとすると、次のエラーが発生します。

src/main.rs:58:26: 58:27 error: `p` does not live long enough
src/main.rs:58             output.push(&p)
                                        ^
note: in expansion of for loop expansion
src/main.rs:53:5: 60:6 note: expansion site
src/main.rs:49:48: 63:2 note: reference must be valid for the anonymous lifetime #1 defined on the block at 49:47...
src/main.rs:49 fn get_files(this_path: &Path) -> Vec<&PathBuf>{
src/main.rs:50     let contents = fs::read_dir(this_path).unwrap();
src/main.rs:51     let mut output: Vec<&PathBuf> = Vec::new();
src/main.rs:52
src/main.rs:53     for path in contents {
src/main.rs:54         let p = path.unwrap().path();
               ...
src/main.rs:54:38: 60:6 note: ...but borrowed value is only valid for the block suffix following statement 0 at 54:37
src/main.rs:54         let p = path.unwrap().path();
src/main.rs:55         if fs::metadata(&p).unwrap().is_dir() {
src/main.rs:56             // dunno, recursively append files to output
src/main.rs:57         } else if fs::metadata(&p).unwrap().is_file() {
src/main.rs:58             output.push(&p)
src/main.rs:59         }
               ...
error: aborting due to previous error

間違っていたら訂正してください。しかし、Rust の優れた機能の 1 つは、オブジェクトが関数のスコープの後に存在することになっているときに明示的に宣言する必要があるという、非常に大雑把な理解です。私の問題は、PathBuf作成されたlet p = path.unwrap().path()ものが for ループの反復の最後に破棄されるため、output Vecなくなったものへの参照を保持していることだと思います。

そうだとすれば:

このようなばかげたことをしているときに、どうすればより良い直感を構築できますか?

寿命が限られているリソースを返す関数から要素のベクトルを構築するより良い慣用的な方法はありますか?

4

1 に答える 1