現在、私は2つのbash機能を持っています。 1つはファイルのアップロード用、もう1つはファイルのダウンロード用です。ユーザーが2つのアクションのうちに実行するアクションを指定できるbashスクリプトを作成したいと思います。
私が経験している問題は、アップロード機能とダウンロード機能が何があっても機能することです。たとえば、
function upload() {
var=$1
#something goes here for upload
}
function download() {
var=$1
#something here for download
}
main() {
case "$1" in
-d) download "$2";;
-u) upload "$2";;
*) "Either -d or -x needs to be selected"
esac
}
download
必要になるまでmain()を実行して抑制することはできませんupload
。
答え1
また、関数を呼び出してmain
スクリプトのコマンドライン引数に渡す必要があります。
#!/bin/sh
upload() {
echo "upload called with arg $1"
}
download() {
echo "download called with arg $1"
}
main() {
case "$1" in
-d) download "$2";;
-u) upload "$2";;
*) echo "Either -d or -u needs to be selected"; exit 1;;
esac
}
main "$@"
function foo
kshスタイル宣言はここでは必要ではありませんが、foo()
標準であり、より広くサポートされているので使用されます。
答え2
getopts
オプションの解析を使用し、オプションが存在しない場合は、ユーザーに関数を選択するように依頼することを検討できます。
usage() {
echo "usage: $0 ..." >&2
exit $1
}
main() {
local func opt
while getopts 'hdu' opt; do
case $opt in
h) usage 0 ;;
d) func=download ;;
u) func=upload ;;
*) usage 1 ;;
esac
done
shift $((OPTIND - 1))
[[ $# -eq 0 ]] && usage 1
# get the user to select upload or download
if [[ -z $func ]]; then
PS3='Choose a function: '
select func in upload download; do
[[ -n $func ]] && break
done
fi
# now, invoke the function with the argument
"$func" "$1"
}
main "$@"