1

スクリプトの使用例

./myscript --p 1984 --n someName

#!/bin/bash

while getopts :npr opt 
do
   case $opt in
     n ) echo name= ???                ;;
     p ) echo port=  ???               ;;
     r ) echo robot= "Something"       ;;
     ? ) echo  "Useage: -p [#]"        ;;
  esac
done

コマンドオプションに続いて引数にアクセスするにはどうすればよいですか?

さらに、私が次のように入力した場合:./myscript --p 19851985をエコーバックして、その引数を処理する方法を知りたいです。

4

1 に答える 1

4

bashでは、help getopts「オプションに引数が必要な場合、getoptsはその引数をシェル変数OPTARGに配置します。」を参照してください。

usage() { echo "Usage: $(basename $0) -n name -p port -r"; exit; }

while getopts :n:p:r opt   # don't forget the colons for opts that take an arg
do
   case $opt in
     n ) name="$OPTARG" ;;
     p ) port="$OPTARG" ;;
     r ) robot=chicken  ;;
     ? ) usage ;;
  esac
done
shift $(( OPTIND - 1 ))

echo "the name is $name"
echo "the port is $port"

bashでオプションを解析するための解決策をグーグルで検索できると確信しています。これが数分の努力です:

#!/bin/bash

usage() { echo foo; exit; }

while [[ $1 == -* ]]; do
  case "$1" in 
    --) shift 1; break ;;
    -p|--p|--port) port="$2"; shift 2;;
    -n|--n|--name) name="$2"; shift 2;;
    *) echo "unknown option: $1"; usage;;
  esac
done

echo "the name is $name"
echo "the port is $port"
echo "the rest of the args are:"; ( IFS=,; echo "$*" )

そしてテスト、

$ bash longopts.sh --port 1234 --bar a b c
unknown option: --bar
foo
$ bash longopts.sh --port 1234 a b c
the name is
the port is 1234
the rest of the args are:
a,b,c
于 2011-10-07T18:13:56.307 に答える