EN
Node.js - get files from directory (recursively)
0 points
In this article, we would like to show you how to get all files from a directory (including subdirectories) in Node.js.
Note:
Check out this article for a practical example of using the code below - link.
xxxxxxxxxx
1
const fs = require('fs');
2
const path = require('path');
3
4
const getFilesFromDirectory = (directoryPath) => {
5
const filesInDirectory = fs.readdirSync(directoryPath);
6
const files = filesInDirectory.map((file) => {
7
const filePath = path.join(directoryPath, file);
8
const stats = fs.statSync(filePath);
9
10
if (stats.isDirectory()) {
11
return getFilesFromDirectory(filePath);
12
} else {
13
return filePath;
14
}
15
});
16
17
return files.filter((file) => file.length); // return with empty arrays removed
18
};
19
20
console.log(getFilesFromDirectory('/path/to/directory'));
xxxxxxxxxx
1
const fs = require('fs/promises');
2
const path = require('path');
3
4
const getFilesFromDirectory = async (directoryPath) => {
5
const filesInDirectory = await fs.readdir(directoryPath);
6
const files = await Promise.all(
7
filesInDirectory.map(async (file) => {
8
const filePath = path.join(directoryPath, file);
9
const stats = await fs.stat(filePath);
10
11
if (stats.isDirectory()) {
12
return getFilesFromDirectory(filePath);
13
} else {
14
return filePath;
15
}
16
})
17
);
18
19
return files.filter((file) => file.length); // return with empty arrays removed
20
};
21
22
const displayFiles = async () => {
23
console.log(await getFilesFromDirectory('/path/to/directory'));
24
};
25
26
displayFiles();