-x
パラメータの代わりにスイッチを認識する組み込みツールはありますか--xxxx
?または、すべての入力変数を繰り返してダッシュをテストし、パラメータを解析する必要がありますか?
答え1
私はあなたがbashまたは同様のものを使用していると仮定します。一例:
all=false
long=false
while getopts ":hal" option; do
case $option in
h) echo "usage: $0 [-h] [-a] [-l] file ..."; exit ;;
a) all=true ;;
l) long=true ;;
?) echo "error: option -$OPTARG is not implemented"; exit ;;
esac
done
# remove the options from the positional parameters
shift $(( OPTIND - 1 ))
ls_opts=()
$all && ls_opts+=( -a )
$long && ls_opts+=( -l )
# now, do it
ls "${ls_opts[@]}" "$@"
答え2
使用getopts
。
POSIX仕様に従うため、移植性に優れています。残念ながら、長いオプションはサポートされていません。
これも見てくださいgetopts
地図時間bash-hackers wikiとthisから提供質問スタックオーバーフローで。
短いオプションのみが必要な場合は、getopts
一般的な使用パターン(自動エラー報告を含む)は次のとおりです。
# process arguments "$1", "$2", ... (i.e. "$@")
while getopts "ab:" opt; do
case $opt in
a) aflag=true ;; # Handle -a
b) barg=$OPTARG ;; # Handle -b argument
\?) ;; # Handle error: unknown option or missing required argument.
esac
done
答え3
パラメータを解析するにはループを作成する必要があります。実際にgetopts
コマンドを使用すると、簡単にこれを行うことができます。
getopts
以下は、マニュアルページの簡単な例です。
aflag=
bflag=
while getopts ab: name
do
case $name in
a) aflag=1;;
b) bflag=1
bval="$OPTARG";;
?) printf "Usage: %s: [-a] [-b value] args\n" $0
exit 2;;
esac
done
if [ ! -z "$aflag" ]; then
printf "Option -a specified\n"
fi
if [ ! -z "$bflag" ]; then
printf 'Option -b "%s" specified\n' "$bval"
fi
shift $(($OPTIND - 1))
printf "Remaining arguments are: %s\n" "$*"
答え4
私は最近いくつかの目的で使用されており、順序に関係なく複数のスイッチを許可する作業用スクリプトを作成しました。明らかな法的な理由でスクリプト全体を公開することはできませんが(今はスクリプトがないということは言うまでもありません)、ポイントは次のとおりです。サブルーチンに入れてスクリプトの最後から呼び出すことができます。の:
options () {
if [ -n "$1" ]; then # test if any arguments passed - $1 will always exist
while (( "$#" )); do # process ALL arguments
if [ "$1" = ^-t$ ]; then # -t short for "test"
# do something here THEN shift the argument
# shift removes it from $@ and reduces $# by
# one if you supply no argument
shift
# we can also process multiple arguments at once
elif [[ "$1" =~ ^--test=[:alnum:]{1,8}$ ]] && [[ "$2" =~ ^-t2$ ]] && [[ -n "$3" ]]; then # check for 3 arguments
# do something more then remove them ALL from the arg list
shift 3
else
echo "No matching arguments!"
echo "Usage: [script options list here]"
fi
done
else
echo "Usage: [script options list here]"
exit 0
fi
}
options "$@" # run options and loop through/process ALL arguments
bashスクリプトを400行/ 15,000文字未満に制限することをお勧めします。上記のスクリプトはそのサイズを超えて扱うのが非常に困難になりました。私は仕事に適したPerlで書き換えを始めました。 Bashでスクリプトを操作するときは、この点に注意してください。 Bashは小さなスクリプトと1行のスクリプトに適していますが、より複雑なスクリプトをPerlで書く方が良いでしょう。
上記をテストしていないので、うまくいかないかもしれませんが、ここで一般的なアイデアを得ることができます。