शेल स्क्रिप्टिंग में लंबे विकल्पों का उपयोग करने का "उचित तरीका" गेटटॉप यूटिलिटी के माध्यम से है । वहाँ भी गेटअप है जो एक बैश बिल्ट-इन है , लेकिन यह केवल जैसे छोटे विकल्पों की अनुमति देता है -t
। getopt
उपयोग के कुछ उदाहरण यहां देखे जा सकते हैं ।
यहां एक स्क्रिप्ट है जो दर्शाती है कि मैं आपके प्रश्न को कैसे देखूंगा। अधिकांश चरणों की व्याख्या को स्क्रिप्ट के भीतर टिप्पणियों के रूप में जोड़ा जाता है।
#!/bin/bash
# GNU getopt allows long options. Letters in -o correspond to
# comma-separated list given in --long.
opts=$(getopt -o t --long test -- "$*")
test $? -ne 0 && exit 2 # error happened
set -- $opts # some would prefer using eval set -- "$opts"
# if theres -- as first argument, the script is called without
# option flags
if [ "$1" = "--" ]; then
echo "Not testing"
testing="n"
# Here we exit, and avoid ever getting to argument parsing loop
# A more practical case would be to call a function here
# that performs for no options case
exit 1
fi
# Although this question asks only for one
# option flag, the proper use of getopt is with while loop
# That's why it's done so - to show proper form.
while true; do
case "$1" in
# spaces are important in the case definition
-t | --test ) testing="y"; echo "Testing" ;;
esac
# Loop will terminate if there's no more
# positional parameters to shift
shift || break
done
echo "Out of loop"
कुछ सरलीकरण और हटाए गए टिप्पणियों के साथ, इसके लिए संघनित किया जा सकता है:
#!/bin/bash
opts=$(getopt -o t --long test -- "$*")
test $? -ne 0 && exit 2 # error happened
set -- $opts
case "$1" in
-t | --test ) testing="y"; echo "Testing";;
--) testing="n"; echo "Not testing";;
esac