
ディレクトリに特定の単語で始まるサブディレクトリがあることを確認するスクリプトを作成しています。
これはこれまで私のスクリプトです。
#!/bin/bash
function checkDirectory() {
themeDirectory="/usr/share/themes"
iconDirectory="/usr/share/icons"
# I don't know what to put for the regex.
regex=
if [ -d "$themeDirectory/$regex" && -d "$iconDirectory/$regex" ]; then
echo "Directories exist."
else
echo "Directories don't exist."
fi
}
それでは、regex
特定のディレクトリに特定の単語で始まるフォルダがあるかどうかを確認しますか?
答え1
-d
正規表現を許可せず、ファイル名を受け入れます。単純なプレフィックスのみを確認するには、ワイルドカードで十分です。
exists=0
shopt -s nullglob
for file in "$themeDirectory"/word* "$iconDirectory"/* ; do
if [[ -d $file ]] ; then
exists=1
break
fi
done
if ((exists)) ; then
echo Directory exists.
else
echo "Directories don't exist."
fi
nullglob
一致するものがない場合、ワイルドカードは空のリストに展開されます。大きなスクリプトでは、サブシェルの値を変更するか、必要でない場合は以前の値にリセットします。
答え2
与えられたパターン/プレフィックスに一致するディレクトリだけを見つけるには、次のものを使用できると思いますfind
。
find /target/directory -type d -name "prefix*"
それとも単に欲しいなら即時サブディレクトリ:
find /target/directory -maxdepth 1 -type d -name "prefix*"
-regex
もちろん、実際の正規表現の一致が必要な場合でも問題ありません。 (警告:-maxlengthがgnu-ismかどうか覚えていません。)
(更新)はい、if文が必要です。 Findは常に0を返すので、戻り値を使用して見つかった項目があるかどうかを判断することはできません(grepとは異なり)。しかし、行数は数えることができます。出力をパイプしてwc
数を取得し、ゼロでないことを確認します。
if [ $(find /target/directory -type d -name "prefix*" | wc -l ) != "0" ] ; then
echo something was found
else
echo nope, didn't find anything
fi
答え3
変数名はregex
うまくいきませんが、"$1"
のように値を設定することを検討してくださいregex="$1"
。次のステップは、if
ステートメントを次のように変更することです。
if [ -d "$themeDirectory/$regex" && -d "$iconDirectory/$regex" ]; then
到着
if [ -d "$themeDirectory/$regex" ] && [ -d "$iconDirectory/$regex" ]; then
スクリプトは次のとおりです。
function checkDirectory() {
themeDirectory="/usr/share/themes"
iconDirectory="/usr/share/icons"
# I don't know what to put for the regex.
regex="$1"
if [ -d "$themeDirectory/$regex" ] && [ -d "$iconDirectory/$regex" ]; then
echo "Directories exist."
else
echo "Directories don't exist."
fi
}
シェルでは、次を使用してスクリプトをインポートできます。
. /path/to/script
機能を使用する準備ができました:
checkDirectory test
Directories don't exist.