我正在编写一个脚本,需要在特定文件夹的每个子目录中执行一个操作。

最有效的写法是什么?


当前回答

最简单的非递归方法是:

for d in */; do
    echo "$d"
done

末尾的/表示只使用目录。

没有必要

找到 呜 ...

其他回答

使用find命令。

在GNU find中,你可以使用-execdir参数:

find . -type d -execdir realpath "{}" ';'

或者使用-exec parameter:

find . -type d -exec sh -c 'cd -P "$0" && pwd -P' {} \;

或者使用xargs命令:

find . -type d -print0 | xargs -0 -L1 sh -c 'cd "$0" && pwd && echo Do stuff'

或者使用for循环:

for d in */; { echo "$d"; }

对于递归,请尝试扩展通配符(**/)(通过:shopt -s extglob启用)。


有关更多示例,请参见:如何进入每个目录并执行命令?在所以

你可以试试:

#!/bin/bash
### $1 == the first args to this script
### usage: script.sh /path/to/dir/

for f in `find . -maxdepth 1 -mindepth 1 -type d`; do
  cd "$f"
  <your job here>
done

或类似的…

解释:

找到。-maxdepth 1 -mindepth 1 type d: 只查找最大递归深度为1(仅为$1的子目录)和最小递归深度为1(不包括当前文件夹)的目录。

找到。-type d -print0 | xargs -0 -n 1 my_command

如果目录名中有空格,则接受的答案将在空格上中断,对于bash/ksh,首选语法是$()。使用GNU find -exec选项+;如

找到……- mycommand +;#这和传递给xargs是一样的

或者使用while循环

find .... | while read -r D
do
    # use variable `D` or whatever variable name you defined instead here
done 
for D in `find . -type d`
do
    //Do whatever you need with D
done