支持 Rust 1.0 的代码的最直译是这样的:
use std::{fs, path::Path, ffi::OsStr};
fn getList(action_dir_path: &str) -> Vec<&OsStr> {
let v = fs::read_dir(&Path::new(action_dir_path))
.unwrap()
.map(|x| x.unwrap().path().file_stem().unwrap())
.collect();
return v;
}
这会产生错误消息:
生锈 2015
error[E0597]: borrowed value does not live long enough
--> src/lib.rs:6:18
|
6 | .map(|x| x.unwrap().path().file_stem().unwrap())
| ^^^^^^^^^^^^^^^^^ - temporary value only lives until here
| |
| temporary value does not live long enough
|
note: borrowed value must be valid for the anonymous lifetime #1 defined on the function body at 3:1...
--> src/lib.rs:3:1
|
3 | / fn getList(action_dir_path: &str) -> Vec<&OsStr> {
4 | | let v = fs::read_dir(&Path::new(action_dir_path))
5 | | .unwrap()
6 | | .map(|x| x.unwrap().path().file_stem().unwrap())
7 | | .collect();
8 | | return v;
9 | | }
| |_^
生锈 2018
error[E0515]: cannot return value referencing temporary value
--> src/lib.rs:6:18
|
6 | .map(|x| x.unwrap().path().file_stem().unwrap())
| -----------------^^^^^^^^^^^^^^^^^^^^^
| |
| returns a value referencing data owned by the current function
| temporary value created here
问题来自Path::file_stem
. 这是签名:
pub fn file_stem(&self) -> Option<&OsStr>
这表明该方法将返回对 a 的借用引用OsStr
。该PathBuf
结构是字符串的所有者。当您离开该方法时,没有任何地方拥有PathBuf
,因此它将被删除。这意味着对 的任何引用PathBuf
都将不再有效。这是 Rust 阻止你引用不再分配的内存,是的 Rust!
您可以做的最简单的事情是返回一个Vec<String>
. String
拥有它里面的字符串,所以我们不用担心当我们离开函数时它会被释放:
fn get_list(action_dir_path: &str) -> Vec<String> {
fs::read_dir(action_dir_path)
.unwrap()
.map(|x| {
x.unwrap()
.path()
.file_stem()
.unwrap()
.to_str()
.unwrap()
.to_string()
})
.collect()
}
我还更新了样式(免费!)使其更像 Rust:
- 用于
snake_case
物品
- 类型定义中的冒号前没有空格
- 没有理由设置一个变量只是为了返回它。
return
除非您提前退出函数,否则不要使用显式语句。
- 无需将路径包装在
Path
.
但是,我不是所有展开的粉丝。我会这样写函数:
use std::{ffi::OsString, fs, io, path::Path};
fn get_list(action_dir_path: impl AsRef<Path>) -> io::Result<Vec<OsString>> {
fs::read_dir(action_dir_path)?
.map(|entry| entry.map(|e| e.file_name()))
.collect()
}
fn main() {
println!("{:?}", get_list("/etc"));
}
除了上述变化:
- 我对输入路径使用通用类型。
- 我返回 a
Result
以将错误传播给调用者。
- 我直接询问
DirEntry
文件名。
- 我将类型保留为
OsString
.