-
Notifications
You must be signed in to change notification settings - Fork 2.3k
/
Copy pathdelete-recursively.js
140 lines (126 loc) · 4.29 KB
/
delete-recursively.js
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
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
import { promises as fs, existsSync } from 'fs'
import { join } from 'path'
import globby from 'globby'
import process from 'node:process'
import chalk from 'chalk'
// Helper function to format size appropriately in KB or MB
function formatSize(sizeInBytes) {
const sizeInKB = sizeInBytes / 1024
if (sizeInKB < 1024) {
return `${sizeInKB.toFixed(2)} KB`
} else {
return `${(sizeInKB / 1024).toFixed(2)} MB`
}
}
// Function to calculate the size of a directory
async function calculateSize(targetPath) {
let totalSize = 0
const stats = await fs.lstat(targetPath)
if (stats.isDirectory()) {
const files = await fs.readdir(targetPath)
for (const file of files) {
const filePath = join(targetPath, file)
totalSize += await calculateSize(filePath)
}
} else {
totalSize = stats.size
}
return totalSize
}
// Function to delete a file or directory recursively
async function deleteRecursively(targetPath, fullDelete = false) {
try {
if (fullDelete && existsSync(targetPath)) {
const size = await calculateSize(targetPath)
await fs.rmdir(targetPath, { recursive: true }) // Use async version of rmdir
return size
}
const stats = await fs.lstat(targetPath)
let size = 0
if (stats.isDirectory()) {
const files = await fs.readdir(targetPath)
for (const file of files) {
const curPath = join(targetPath, file)
size += await deleteRecursively(curPath)
}
await fs.rmdir(targetPath)
} else {
size = stats.size
await fs.unlink(targetPath)
}
return size
} catch (error) {
console.error(chalk.red(`Error deleting ${targetPath}: ${error.message}`))
return 0 // Return 0 size if there's an error
}
}
// Function to clean directories based on provided patterns
async function cleanDirectories(patterns) {
const deletedCounts = {}
let totalSize = 0
for (let entry of patterns) {
const ignoreNodeModules = !entry.endsWith('!')
let pattern = ignoreNodeModules ? entry : entry.slice(0, -1)
let files = []
let fulleDelete = false
if (pattern === '@node_modules') {
pattern = '**/node_modules'
fulleDelete = true
files = await globby(pattern, {
onlyDirectories: true,
ignore: ['**/node_modules/**/node_modules'],
})
} else {
const options = {
ignore: ignoreNodeModules ? '**/node_modules/**' : '',
onlyDirectories: pattern.endsWith('/') ? true : false,
}
fulleDelete = options.onlyDirectories
files = await globby(pattern, options)
}
let count = 0
let patternSize = 0
for (const file of files) {
const fileSize = await deleteRecursively(file, fulleDelete)
count++
patternSize += fileSize
}
deletedCounts[pattern] = { count, size: patternSize }
totalSize += patternSize
}
// Determine the maximum lengths needed for even spacing
const maxPatternLength = Math.max(...Object.keys(deletedCounts).map((pattern) => pattern.length))
const maxCountLength = Math.max(
...Object.values(deletedCounts).map(
(item) => `${item.count} item${item.count !== 1 ? 's' : ''} deleted`.length,
),
)
const maxSizeLength = Math.max(
...Object.values(deletedCounts).map((item) => formatSize(item.size).length),
)
// Print details for each pattern with colors, formatted for alignment
console.log(chalk.blue('\nSummary of deleted items:'))
Object.keys(deletedCounts).forEach((pattern) => {
const itemCount =
`${deletedCounts[pattern].count} item${deletedCounts[pattern].count !== 1 ? 's' : ''} deleted`.padEnd(
maxCountLength,
)
console.log(
`${chalk.green(pattern.padEnd(maxPatternLength))} ${chalk.red(itemCount)} ${chalk.yellow(formatSize(deletedCounts[pattern].size).padStart(maxSizeLength))}`,
)
})
// Calculate total deleted items and size
console.log(
chalk.magenta(
`Total deleted items: ${Object.values(deletedCounts).reduce((acc, { count }) => acc + count, 0)}`,
),
)
console.log(chalk.cyan(`Total size of deleted items: ${formatSize(totalSize)}\n`))
}
// Get patterns from command-line arguments
const patterns = process.argv.slice(2)
if (patterns.length > 0) {
void cleanDirectories(patterns)
} else {
console.log(chalk.red('No patterns provided. Usage: node script.js [patterns]'))
}