我有多个 npm 项目保存在本地目录中。现在我想在没有 node_modules
文件夹的情况下备份我的项目,因为它占用了大量空间,并且也可以随时使用 npm install
检索。
因此,我需要一个解决方案来使用命令行界面从指定路径递归删除所有 node_modules 文件夹。任何建议/帮助都是非常可观的。
打印出要删除的目录列表:
find . -name 'node_modules' -type d -prune
从当前工作目录中删除目录:
find . -name 'node_modules' -type d -prune -exec rm -rf '{}' +
或者,您可以使用 trash (brew install trash
) 进行分阶段删除:
find . -name node_modules -type d -prune -exec trash {} +
试试https://github.com/voidcosmos/npkill
npx npkill
它会找到所有 node_modules 并让您删除它们。
https://i.stack.imgur.com/B6GlX.gif
改进接受的答案,
find . -name 'node_modules' -type d -prune -exec rm -rf '{}' +
我发现该命令将运行很长时间来获取所有文件夹,然后运行删除命令,以使命令可恢复我建议使用 \;
并查看正在运行的命令的进度使用 -print
来查看被删除的目录。
注意:您必须先 cd
进入根目录,然后运行命令,或者使用 find {project_directory}
代替 find .
一个一个地删除文件夹
find . -name 'node_modules' -type d -prune -exec rm -rf '{}' \;
逐个删除文件夹并打印正在删除的文件夹
find . -name 'node_modules' -type d -prune -print -exec rm -rf '{}' \;
编辑:
对于喜欢交互方式的人,请参阅@jeckep 答案,在您希望修剪的目录中运行它。
npx npkill
find . -name 'node_modules' -type d -prune -print -exec bash -c 'rm -rf "$0"/* "$0"/..?* "$0"/.[!.]*' {} \;
通配符用于根据 unix.stackexchange.com/a/77313/486273 匹配隐藏文件和文件夹(以 . 开头)
find . -name 'node_modules' -type d -prune -exec lms rm '{}' +
改进这个答案
我遇到了这个解决方案,
首先使用 find 找到文件夹并指定文件夹的名称。
递归执行删除命令 -exec rm -rf '{}' +
运行以下命令以递归方式删除文件夹
find /path -type d -name "node_modules" -exec rm -rf '{}' +
在 Windows 上,我使用以下 .BAT
文件从当前文件夹中递归删除 node_modules
:
@for /d /r . %d in (node_modules) do @if exist %d (echo %d && rd %d /s /q)
或者,通过 CMD.EXE
:
cmd.exe /c "@for /d /r . %d in (node_modules) do @if exist %d (echo %d && rd %d /s /q)"
bash
函数删除 node_modules
。它将递归地从当前工作目录中删除所有 node_modules
目录,同时打印找到的路径。
您只需在 $PATH
中的某个位置输入
rmnodemodules(){
find . -name 'node_modules' -type d -prune -exec echo '{}' \; -exec rm -rf {} \;
}
如果你想移动而不是删除它:
find . -name 'node_modules' -type d -prune -exec mkdir -p ./another/dir/{} \; -exec mv -i {} ./NODE_MODULES/{} \;
这将保持目录结构。
操作系统:Ubuntu
删除服务器中所有 node_modules
的一个简单技巧(可以减少大量空间)是运行:
sudo find / -not -path "/usr/lib/*" -name 'node_modules' -type d -prune -exec rm -rf '{}' +
在这里我们需要排除 /usr/lib/*
,因为如果您不这样做,它会删除您的 npm
,您需要重新安装它 :)
从多个项目中删除 node_modules 文件夹的 Python 脚本。只需将它放在包含多个项目的项目文件夹中并运行它。
import os
import shutil
dirname = '/root/Desktop/proj' #Your Full Path of Projects Folder
dirfiles = os.listdir(dirname)
fullpaths = map(lambda name: os.path.join(dirname, name), dirfiles)
dirs = []
for file in fullpaths:
if os.path.isdir(file): dirs.append(file)
for i in dirs:
dirfiles1 = os.listdir(i)
fullpaths1 = map(lambda name: os.path.join(i, name), dirfiles1)
dirs1 = []
for file in fullpaths1:
if os.path.isdir(file):
dirs1.append(file)
if(file[-12:]=='node_modules'):
shutil.rmtree(file)
print(file)
-prune
是一项重要的优化。它会 find 不递归到node_module
目录(查找嵌套的 node_modules)/node_modules/gulp-server-livereload/node_modules: Directory not empty
。如何解决这个问题?'{}' +
是什么意思?{}
是一个占位符,find
用它找到的文件路径替换。+
告诉find
将所有文件路径附加到单个命令,而不是为每个命令运行rm
。