0

我在 npm 上发现了很多 walker,但没有一个使用异步迭代器。他们中的大多数要么使用回调,要么使用导致巨大目录内存泄漏的承诺。

是否有任何最近使用以下模式的库:

async function* walk(dirPath) {
    // some magic…
    yield filePath;
}

然后像这样使用它:

for await (const filePath of walk('/dir/path')) {
    console.log('file path', filePath);
}
4

1 回答 1

0

好的,我只是使用同步 readdir 制作了这个 walker,它非常快速且内存高效,我在大约 3 分钟内列出了 250 万个条目,没有任何内存泄漏。

import path from 'path';
import fs, {Dirent} from 'fs';

function* walk(path:string):IterableIterator<string> {

    const entries:Dirent[] = fs.readdirSync(path, {withFileTypes: true});

    for (const entry of entries) {
        const entryPath:() => string = () => `${path}/${entry.name}`;

        if (entry.isFile()) {
            yield entryPath();
        }

        if (entry.isDirectory()) {
            yield* walk(entryPath());
        }
    }
}

使用示例:

for (const path of walk(directoryPath)) {
    console.log(path);
}
于 2019-05-25T20:43:04.367 回答