node.js-使用异步FS递归推入数组
我正在尝试使用fs
readdir
来创建一个将文件名称递归(包括子目录中的文件)的函数,使用默认属性dir
作为起点。
当我尝试console.log
它工作正常的名称时,我无法弄清楚如何创建一个带有所有名称的数组(我没有在子目录中获取文件) 。
import { readdir } from 'fs/promises';
const arr = [];
const reader = async (dir = `./src`) => {
try {
const items = await readdir(dir, { withFileTypes: true });
items.map(item => item.isDirectory() ? reader(`${dir}/${item.name}`) : arr.push(item.name));
}
catch (err) {
console.log(err);
}
};
reader().then(() => {
console.log(arr)
})
谢谢!
I am trying to use the fs
readdir
to create a function that push file names into an array, recursively (including files in sub directories), using default attribute dir
as a starting point.
When I tried to console.log
the names it worked fine, but I could not figure out how to create an array with all the names in it (I'm not getting the files in the sub directories).
import { readdir } from 'fs/promises';
const arr = [];
const reader = async (dir = `./src`) => {
try {
const items = await readdir(dir, { withFileTypes: true });
items.map(item => item.isDirectory() ? reader(`${dir}/${item.name}`) : arr.push(item.name));
}
catch (err) {
console.log(err);
}
};
reader().then(() => {
console.log(arr)
})
Thanks!
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
您不是
等待
呼叫reader()
,并且也没有调用。然后在其上调用()
。因此,执行只是继续,
console.log(arr)
用空数组执行执行,然后随后调用reader()
实际上发生并推到数组。固定版本:
You're not
await
ing the call toreader()
, and you're also not calling.then()
on it.so execution just continues,
console.log(arr)
executes with an empty array, and then subsequent calls toreader()
actually take place and push to the array.Fixed version:
您很接近,但一个提示是一个错误是使用
.map
而无需使用其结果。.map
正在构建一个承诺数组,每个诺言都需要某种处理来组装最终输出。我建议使用发电机,而不是将结果迫使阵列。 侧面步骤是
.map
的需要该 代码> toarray 可以使用 -
You're close but one hint there's a mistake is the use of
.map
without using its result..map
is constructing an array of promises, each of which need some sort of processing to assemble the final output.I would recommend using a generator instead of forcing the results into an array. This side-steps the need for
.map
and allows the consumer to process the resulting files asynchronously as they arrive -If indeed the consumer wishes to convert the asynchronous stream of elements to a flat array, a generic
toArray
can be used -