-
-
Notifications
You must be signed in to change notification settings - Fork 1.4k
/
Copy pathtreeDataFromFileTree.ts
87 lines (72 loc) · 2.24 KB
/
treeDataFromFileTree.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
import { promises as fs, Stats } from 'fs';
import path from 'path';
import yargs, { ArgumentsCamelCase } from 'yargs';
import { hideBin } from 'yargs/helpers';
interface Node {
hierarchy: string[];
size: number;
updatedAt: string;
}
const getFileNode = (filePath: string, parentHierarchy: string[], stats: Stats): Node => {
const basename = path.basename(filePath);
return {
hierarchy: [...parentHierarchy, basename],
size: stats.size,
updatedAt: stats.mtime.toISOString(),
};
};
const getSubTree = async (nodePath: string, parentHierarchy: string[] = []) => {
const nodes: Node[] = [];
const stats = await fs.lstat(nodePath);
if (stats.isDirectory()) {
if (
['node_modules', 'build', '.idea', '.vscode', 'coverage'].includes(path.basename(nodePath))
) {
return nodes;
}
const children = await fs.readdir(nodePath);
const directory = path.basename(nodePath);
for (let i = 0; i < children.length; i += 1) {
const childPath = path.join(nodePath, children[i]);
// eslint-disable-next-line no-await-in-loop
const childNodes = await getSubTree(childPath, [...parentHierarchy, directory]);
nodes.push(...childNodes);
}
}
if (stats.isFile()) {
const fileNode = await getFileNode(nodePath, parentHierarchy, stats);
nodes.push(fileNode);
}
return nodes;
};
const run = async (argv: ArgumentsCamelCase<{ path: string }>) => {
const children = await fs.readdir(argv.path);
const nodes: Node[] = [];
for (let i = 0; i < children.length; i += 1) {
const childPath = path.join(argv.path, children[i]);
// eslint-disable-next-line no-await-in-loop
const childNodes = await getSubTree(childPath);
nodes.push(...childNodes);
}
return fs.writeFile(
path.join(__dirname, '../treeDataFromFileTreeResponse.json'),
JSON.stringify(nodes, null, 2),
'utf-8',
);
};
yargs(hideBin(process.argv))
.command({
command: '$0',
describe: 'Generate tree data rows from a folder.',
builder: (command) =>
command.option('path', {
describe: 'Folder from which we want to extract the tree',
type: 'string',
default: process.cwd(),
}),
handler: run,
})
.help()
.strict(true)
.version(false)
.parse();