How do you get a list of the names of all files present in a directory in Node.js?

后端 未结 25 1676
天涯浪人
天涯浪人 2020-11-22 07:47

I\'m trying to get a list of the names of all the files present in a directory using Node.js. I want output that is an array of filenames. How can I do this?

25条回答
  •  时光取名叫无心
    2020-11-22 08:37

    You can use the fs.readdir or fs.readdirSync methods.

    fs.readdir

    const testFolder = './tests/';
    const fs = require('fs');
    
    fs.readdir(testFolder, (err, files) => {
      files.forEach(file => {
        console.log(file);
      });
    });
    

    fs.readdirSync

    const testFolder = './tests/';
    const fs = require('fs');
    
    fs.readdirSync(testFolder).forEach(file => {
      console.log(file);
    });
    

    The difference between the two methods, is that the first one is asynchronous, so you have to provide a callback function that will be executed when the read process ends.

    The second is synchronous, it will return the file name array, but it will stop any further execution of your code until the read process ends.

提交回复
热议问题