假设我想复制一个目录的内容,不包括名称包含单词“音乐”的文件和文件夹。
cp [exclude-matches] *Music* /target_directory
应该用什么来代替[排除匹配]来实现这一点?
假设我想复制一个目录的内容,不包括名称包含单词“音乐”的文件和文件夹。
cp [exclude-matches] *Music* /target_directory
应该用什么来代替[排除匹配]来实现这一点?
当前回答
我还没有在这里看到一个不使用extglob, find或grep的技巧是将两个文件列表视为集合,并使用comm对它们进行“diff”:
comm -23 <(ls) <(ls *Music*)
Comm比diff更可取,因为它没有额外的麻烦。
返回集合1,ls中不存在于集合2,ls *Music*中的所有元素。这需要两个集合都按顺序排序才能正常工作。ls和glob展开没有问题,但如果使用find之类的东西,一定要调用sort。
comm -23 <(find . | sort) <(find . | grep -i '.jpg' | sort)
可能有用。
其他回答
我还没有在这里看到一个不使用extglob, find或grep的技巧是将两个文件列表视为集合,并使用comm对它们进行“diff”:
comm -23 <(ls) <(ls *Music*)
Comm比diff更可取,因为它没有额外的麻烦。
返回集合1,ls中不存在于集合2,ls *Music*中的所有元素。这需要两个集合都按顺序排序才能正常工作。ls和glob展开没有问题,但如果使用find之类的东西,一定要调用sort。
comm -23 <(find . | sort) <(find . | grep -i '.jpg' | sort)
可能有用。
在Bash中,您可以通过启用extglob选项来做到这一点,就像这样(当然,将ls替换为cp并添加目标目录)
~/foobar> shopt extglob
extglob off
~/foobar> ls
abar afoo bbar bfoo
~/foobar> ls !(b*)
-bash: !: event not found
~/foobar> shopt -s extglob # Enables extglob
~/foobar> ls !(b*)
abar afoo
~/foobar> ls !(a*)
bbar bfoo
~/foobar> ls !(*foo)
abar bbar
您可以稍后禁用extglob
shopt -u extglob
你也可以使用一个非常简单的for循环:
for f in `find . -not -name "*Music*"`
do
cp $f /target/dir
done
extglob shell选项在命令行中为您提供了更强大的模式匹配。
用shopt -s extglob打开它,用shopt -u extglob关闭它。
在你的例子中,你最初会做:
$ shopt -s extglob
$ cp !(*Music*) /target_directory
完全可用的扩展通配符是(摘自man bash):
If the extglob shell option is enabled using the shopt builtin, several extended pattern matching operators are recognized.A pattern-list is a list of one or more patterns separated by a |. Composite patterns may be formed using one or more of the following sub-patterns: ?(pattern-list) Matches zero or one occurrence of the given patterns *(pattern-list) Matches zero or more occurrences of the given patterns +(pattern-list) Matches one or more occurrences of the given patterns @(pattern-list) Matches one of the given patterns !(pattern-list) Matches anything except one of the given patterns
因此,例如,如果你想列出当前目录中所有不是。c或。h文件的文件,你会这样做:
$ ls -d !(*@(.c|.h))
当然,普通的shell globing也可以,所以最后一个例子也可以写成:
$ ls -d !(*.[ch])
find可以找到一个解决方案。
$ mkdir foo bar
$ touch foo/a.txt foo/Music.txt
$ find foo -type f ! -name '*Music*' -exec cp {} bar \;
$ ls bar
a.txt
Find有相当多的选项,你可以非常具体地包括和排除什么。
编辑:Adam在评论中指出,这是递归的。查找选项mindepth和maxdepth可以用来控制这个。