我想在 Bash 中这样做:
- 在当前目录中,找到名称中包含“foo”的第一个文件夹
我一直在玩 find 命令,但有点困惑。有什么建议么?
您可以使用以下-quit
选项find
:
find <dir> -maxdepth 1 -type d -name '*foo*' -print -quit
pattern="foo"
for _dir in *"${pattern}"*; do
[ -d "${_dir}" ] && dir="${_dir}" && break
done
echo "${dir}"
这比提供的其他 shell 解决方案更好,因为
${dir}
将为空)=~
操作员(如果你需要这取决于你的模式)find
)例如:
dir1=$(find . -name \*foo\* -type d -maxdepth 1 -print | head -n1)
echo "$dir1"
或(有关更好的外壳解决方案,请参阅 Adrian Frühwirth 的回答)
for dir1 in *
do
[[ -d "$dir1" && "$dir1" =~ foo ]] && break
dir1= #fix based on comment
done
echo "$dir1"
或者
dir1=$(find . -type d -maxdepth 1 -print | grep 'foo' | head -n1)
echo "$dir1"
编辑 head -n1 基于@hek2mgl 评论
接下来基于@chepner 的评论
dir1=$(find . -type d -maxdepth 1 -print | grep -m1 'foo')
或者
dir1=$(find . -name \*foo\* -type d -maxdepth 1 -print -quit)