web-dev-qa-db-ja.com

ファイルがディレクトリへのシンボリックリンクかどうかを確認するにはどうすればよいですか?

ファイルが存在し、-Lでシンボリックリンクであるかどうかを確認できます

for file in *; do
    if [[ -L "$file" ]]; then echo "$file is a symlink"; else echo "$file is not a symlink"; fi
done

そして、それが-d付きのディレクトリである場合:

for file in *; do
    if [[ -d "$file" ]]; then echo "$file is a directory"; else echo "$file is a regular file"; fi
done

しかし、ディレクトリへのリンクのみをテストするにはどうすればよいですか?


テストフォルダー内のすべてのケースをシミュレートしました。

/tmp/test# ls
a  b  c/  d@  e@  f@

/tmp/test# file *
a: ASCII text
b: ASCII text
c: directory
d: symbolic link to `c'
e: symbolic link to `a'
f: broken symbolic link to `nofile'
73
rubo77

2つのテストを&&と組み合わせるだけです。

if [[ -L "$file" && -d "$file" ]]
then
    echo "$file is a symlink to a directory"
fi
88
user27282

以下は、ターゲットがディレクトリ(現在のディレクトリから開始)であるシンボリックリンクを再帰的に一覧表示する単一のコマンドです。

find . -type l -xtype d

リファレンス: http://www.commandlinefu.com/commands/view/6105/find-all-symlinks-that-link-to-directories

8
Mark Edington

findを使用し、関数を使用するソリューション:

dosomething () {
    echo "doing something with $1"; 
}
find -L -path './*' -Prune -type d| while read file; do 
    if [[ -L "$file" && -d "$file" ]];
        then dosomething "$file";
    fi; 
done
1
rubo77