考虑这个目录(和文件)结构:
mkdir testone
mkdir testtwo
mkdir testone/.svn
mkdir testtwo/.git
touch testone/fileA
touch testone/fileB
touch testone/fileC
touch testone/.svn/fileA1
touch testone/.svn/fileB1
touch testone/.svn/fileC1
touch testtwo/fileD
touch testtwo/fileE
touch testtwo/fileF
touch testtwo/.git/fileD1
touch testtwo/.git/fileE1
touch testtwo/.git/fileF1
我想打印/查找这两个目录中的所有文件,但不包括子目录.git
和/或.svn
.如果我这样做:
find test*
...然后所有文件都会被转储。
如果我这样做(例如,如何在通配符嵌入的“查找”搜索中排除/忽略隐藏文件和目录?):
$ find test* -path '.svn' -o -prune
testone
testtwo
$ find test* -path '*/.svn/*' -o -prune
testone
testtwo
...然后我只得到转储的顶级目录,而没有文件名。
是否可以find
单独使用来执行这样的搜索/列表,而不需要管道grep
(即find
对所有文件执行 a ,然后:find test* | grep -v '\.svn' | grep -v '\.git'
;这也会输出我不需要的顶级目录名称)?
答案1
您的find
命令没有说明如果给定路径不匹配该怎么办。如果您想排除以点开头的所有内容,并打印其余内容,请尝试:
find test* -path '*/.*' -prune -o -print
所以它会删除任何与该路径匹配的内容,并打印任何不匹配的内容。
输出示例:
testone
testone/fileC
testone/fileB
testone/fileA
testtwo
testtwo/fileE
testtwo/fileF
testtwo/fileD
如果您想专门排除以点开头的内容,但不排除其他内容,您可以执行以下操作.svn
:.git
find test* \( -path '*/.svn' -o -path '*/.git' \) -prune -o -print
对于这个例子产生相同的输出
如果你想排除顶级目录,你可以添加-mindepth 1
像
find test* -mindepth 1 -path '*/.*' -prune -o -print
这使
testone/fileC
testone/fileB
testone/fileA
testtwo/fileE
testtwo/fileF
testtwo/fileD
答案2
作为对 Eric 答案的补充,find
可以接受!
运算符来反转谓词。还有一个-wholename
测试将对文件(包括其路径)执行匹配。所以你可以写这样的东西:
find test* \( ! -wholename "*/.git/*" -a ! -wholename "*/.svn/*" \)