我怎么能自动读取所有目录并将所有以 .js 结尾的文件添加到不和谐集合中

How could I automatically read all of the directories and add all files that end in .js to discord collection

这是我目前的代码,如何调整它来检查每个子目录:

const fs = require('fs')

module.exports = (client, Discord) =>{
    const command_files = fs.readdirSync('./commands/').filter(file => file.endsWith('.js'))

    for(const file of command_files){
            const command = require(`../commands/${file}`);
            if(command.name) {
                client.commands.set(command.name, command);
            } else {
                continue
            }
         }
}

这是命令文件夹的布局 the folder layout

您需要将整个代码包装到一个函数中并使用一些递归。

请注意,在使用回避时,depth 变量是一种明智的处理方式

应该这样做:

const fs = require('fs')

module.exports = (client, Discord) =>{

    const depth = 3;
    const finder = (path, currentDepth = 0) => {

        if (currentDepth >= depth) {
            return; // Breaks here
        }

        const dirContent = fs.readdirSync(path);
        const command_files = dirContent.filter(file => file.endsWith('.js'));
        const folders = dirContent.filter(file => {
            const dirPath = path + file;
            // Exists + is a directory verification
            return fs.existsSync(dirPath) && fs.lstatSync(dirPath).isDirectory();
        );

        for(const file of command_files){
            const filePath = '../' + path + file;
            const command = require(filePath);
            if(command.name) {
                client.commands.set(command.name, command);
            } else {
                continue
            }
         }

         // Loops through folders
         folders.map((folder) => finder(path + folder + '/', currentDepth + 1));
    }

    finder('./commands/');
}