現在のレベル(サブフォルダを含めない)のフォルダのリストを取得し、フォルダ名とフォルダ内のファイル数の数(できるだけ* .jpgにフィルタリングするだけ)を印刷します。
これは標準的なバッシュシェルで可能ですか? ls -l
ファイル数がすべて存在します:)
私はこれを思い付きました:
_find -maxdepth 1 -type d | while read dir; do
count=$(find "$dir" -maxdepth 1 -iname \*.jpg | wc -l)
echo "$dir ; $count"
done
_
サブディレクトリを考慮して、JPGファイルのディレクトリ内の検索を再帰的にする必要がある場合は、2番目の_-maxdepth 1
_を削除します。ファイルの名前のみを考慮していることに注意してください。ファイルの名前を変更して、それがJPG画像であることを隠します。 file
コマンドを使用して、コンテンツの推測を行うことができます(これで、再帰的に検索される)。
_find -mindepth 1 -maxdepth 1 -type d | while read dir; do
count=$(find "$dir" -type f | xargs file -b --mime-type |
grep 'image/jpeg' | wc -l)
echo "$dir ; $count"
done
_
ただし、ファイルの一部を読み、最終的に含まれているものを解釈しなければならないため、(ラッキーな場合はファイルの先頭にマジックIDが見つかります)。 _-mindepth 1
_は、検索する別のディレクトリとして_.
_(現在のディレクトリ)を印刷することを防ぎます。
私はすでに私自身の同様のスクリプトを務めた後にこの質問を見つけました。それはあなたの条件に合うようです、そして非常に柔軟であるので私はそれを答えとして追加すると思った。
利点:
.
_、1番目のレベルのサブディレクトリの場合は0など)find
コマンドだけなので、大規模なディレクトリでは少し早くなります。RAWコード:
_ find -P . -type f | rev | cut -d/ -f2- | rev | \
cut -d/ -f1-2 | cut -d/ -f2- | sort | uniq -c
_
関数に包まれて説明します。
_fc() {
# Usage: fc [depth >= 0, default 1]
# 1. List all files, not following symlinks.
# (Add filters like -maxdepth 1 or -iname='*.jpg' here.)
# 2. Cut off filenames in bulk. Reverse and chop to the
# first / (remove filename). Reverse back.
# 3. Cut everything after the specified depth, so that each line
# contains only the relevant directory path
# 4. Cut off the preceeding '.' unless that's all there is.
# 5. Sort and group to unique lines with count.
find -P . -type f \
| rev | cut -d/ -f2- | rev \
| cut -d/ -f1-$((${1:-1}+1)) \
| cut -d/ -f2- \
| sort | uniq -c
}
_
このような出力を生み出します。
_$ fc 0
1668 .
$ fc # depth of 1 is default
6 .
3 .ssh
11 Desktop
44 Downloads
1054 Music
550 Pictures
_
もちろん最初にそれがsort
に配置することができます。
_$ fc | sort
3 .ssh
6 .
11 Desktop
44 Downloads
550 Pictures
1054 Music
_
鉱山はコマンドラインからタイプが速くなります。 :)
他の提案は次のように本当の利点を提供しますか?
find -name '*.jpg' | wc -l # recursive
find -maxdepth 1 -name '*.jpg' | wc -l # current directory only
_