有没有办法通过使用 fs 读取 parent 目录来查看目录中的文件?

Is there a way to see files inside directories by reading the parent dir using fs?

所以使用 fs,我想读取某个目录(我们称之为 parent)中的所有内容,包括其他目录、其他目录中的文件和 parent 中的文件。 例如: Parent的路径:

/Parent/

里面的一切Parent

/Parent/index.js
/Parent/utils/utils.js
/Parent/Structures/thing.js

我怎样才能得到所有这些?我试过 fs.readdirfs.readdirSync 但它只读取文件,而不是目录。

好吧,如果您可以在您的环境中访问 Bash,您可以使用 exec() 执行 find

示例:

const { exec } = require("child_process");

exec("find /Parent/", (error, stdout, stderr) => {
    if (error) {
        console.log(`error: ${error.message}`);
        return;
    }
    if (stderr) {
        console.log(`stderr: ${stderr}`);
        return;
    }
    console.log(`stdout: ${stdout}`);
});

评论后更新:

使用递归函数递归获取目录下的所有文件:

const fs = require("fs")
const path = require("path")

const getAllFiles = function(dirPath, arrayOfFiles) {
  files = fs.readdirSync(dirPath)

  arrayOfFiles = arrayOfFiles || []

  files.forEach(function(file) {
    if (fs.statSync(dirPath + "/" + file).isDirectory()) {
      arrayOfFiles = getAllFiles(dirPath + "/" + file, arrayOfFiles)
    } else {
      arrayOfFiles.push(path.join(__dirname, dirPath, "/", file))
    }
  })

  return arrayOfFiles
}

参考:https://coderrocketfuel.com/article/recursively-list-all-the-files-in-a-directory-using-node-js