如何遍历路径包含在BASH中

时间:2019-05-13 16:07:11

标签: bash shell find directory-traversal path-traversal

我将要编程一个以目录树结构运行的文件解析器。找到特定的叶目录后,我要遍历该路径所组成的所有目录,并在其中进行一些操作。

让我们说路径是:/d1/d2/d3。 现在,我要检查文件x是否分别存在于/d1/d1/d2/d1/d2/d3中并以此顺序存在。

当然,可以做这样的事情:

fields=`find $base_dir -name "leaf_directory" | grep  -o "/" | wc -l`

[[ $fields > 0 ]] || exit 1

for (( i=1; i <= $fields + 1; i++ )) do
    current_dir="`find $base_dir -name "leaf_directory" | cut -d "/" -f $i`"
    source_path="$source_path$current_dir/"

    if [ -f $source_path$file ]; then
        # do sth.
    fi  
done

但是还有其他更优雅的解决方案吗?

谢谢。

3 个答案:

答案 0 :(得分:0)

这是您要尝试做的(未经测试的)吗?

fullPath='first/second/third'
mapfile -t -d '/' dirs <<<"${fullPath}/"
numDirs=$(( ${#dirs[@]} - 1 ))
path=''
file='x'
for (( dirNr=1; dirNr<=numDirs; dirNr++ )); do
    path="${path}${dirs[$dirNr]}/"
    if [[ -f "${path}${file}" ]]; then
        printf 'Found "%s"\n' "${path}${file}"
    fi
done

答案 1 :(得分:0)

现在,我发现了使用内部字段分隔符的另一种解决方案。还考虑了/目录。

path="/d1/d2/d3"
file=x

IFS='/'
unset current_path
for current_dir in $path; do
    current_path="${current_path}${current_dir}/"
    if [ -f "${current_path}${file}" ]; then
        printf '%s\n' "$current_path"
    fi  
done
unset IFS

答案 2 :(得分:0)

请尝试以下操作:

path="aa/bb/cc"
file="x"

while true; do
    if [[ -f "$path/$file" ]]; then
        echo "Found: $path/$file"
    fi
    if [[ $path =~ ^/?[^/]+$ ]]; then
        break
    fi
    path="${path%/*}"
done

归结为该问题如何从中生成上层目录 给定的路径。我上面的代码将适用于以下两种情况 绝对路径和相对路径。 为了接受以...开头的路径, 需要在正则表达式中进行修改。

[编辑]

如果您要按aaaa/bb,..的顺序处理,请尝试 以下:

path="aa/bb/cc"
file="x"

while true; do
    array+=("$path")
    if [[ $path =~ ^/?[^/]+$ ]]; then
        break
    fi
    path="${path%/*}"
done
for (( i=${#array[@]}-1; i>=0; i-- )); do
    p="${array[$i]}"
    if [[ -f "$p/$file" ]]; then
        echo "Found: $p/$file"
    fi
done

[编辑]

如果您在指定绝对路径时要在搜索路径中包括根目录/, 请尝试:

path="/aa/bb/cc"
file="x"

while true; do
    array+=("$path")
    if [[ $path =~ ^(/|[^/]+)$ ]]; then
        break
    elif [[ $path =~ ^/[^/]+$ ]]; then
        path="/"
    else
        path="${path%/*}"
    fi
done
for (( i=${#array[@]}-1; i>=0; i-- )); do
    p="${array[$i]}"
    if [[ -f "$p/$file" ]]; then
        echo "Found: $p/$file"
    fi
done