EN
Node.js - list files recursively from directory (synchronous mode)
3 points
In this article, we would like to show you how to get all files from a directory (including subdirectories) in Node.js.
Note: the source code was tested under Windows.
Directory structure:
xxxxxxxxxx
1
C:/directory/
2
├── text.txt
3
├── resources/
4
│ └── data.json
5
└── pages/
6
└── index.html
Source code:
xxxxxxxxxx
1
const fs = require('fs');
2
const path = require('path');
3
4
const listFiles = (directoryPath, filesPaths = []) => {
5
for (const fileName of fs.readdirSync(directoryPath)) {
6
const filePath = path.join(directoryPath, fileName);
7
const fileStat = fs.statSync(filePath);
8
if (fileStat.isDirectory()) {
9
listFiles(filePath, filesPaths);
10
} else {
11
filesPaths.push(filePath);
12
}
13
}
14
return filesPaths;
15
};
16
17
18
// Usage example:
19
20
console.log(listFiles('C:\\directory'));
Output:
xxxxxxxxxx
1
[
2
'C:\\directory\\readme.txt',
3
'C:\\directory\\pages\\index.html',
4
'C:\\directory\\resources\\data.json'
5
]