我想遍历一个文件列表。这个列表是一个find命令的结果,所以我想出了:
getlist() {
for f in $(find . -iname "foo*")
do
echo "File found: $f"
# do something useful
done
}
这很好,除非文件名称中有空格:
$ ls
foo_bar_baz.txt
foo bar baz.txt
$ getlist
File found: foo_bar_baz.txt
File found: foo
File found: bar
File found: baz.txt
我能做些什么来避免空格分割?
好的,这是我在Stack Overflow上的第一篇文章!
Though my problems with this have always been in csh not bash the solution I present will, I'm sure, work in both. The issue is with the shell's interpretation of the "ls" returns. We can remove "ls" from the problem by simply using the shell expansion of the * wildcard - but this gives a "no match" error if there are no files in the current (or specified folder) - to get around this we simply extend the expansion to include dot-files thus: * .* - this will always yield results since the files . and .. will always be present. So in csh we can use this construct ...
foreach file (* .*)
echo $file
end
如果你想过滤掉标准的点文件,那很简单…
foreach file (* .*)
if ("$file" == .) continue
if ("file" == ..) continue
echo $file
end
在这个线程的第一篇文章中的代码将这样写:-
getlist() {
for f in $(* .*)
do
echo "File found: $f"
# do something useful
done
}
希望这能有所帮助!