我正在使用printf '%s\n' "$@"
并调用该函数
pfm "-d DIR" "--directory=DIR"
我收到错误,即:
bash: invalid option -- 'd'
bash: invalid option -- ' '
bash: invalid option -- 'D'
bash: invalid option -- 'I'
bash: invalid option -- 'R'
bash: unrecognized option '--directory=DIR'
这是相关代码
printfm ()
{
# Process command line options
shortopts="hVw::"
longopts="help,version,warning:"
opts=$(getopt -o "$shortopts" -l "$longopts" \
-n "$(basename $0)" -- "$@")
if [ $? -eq 0 ]; then
eval "set -- ${opts}"
while [ $# -gt 0 ]; do
case "$1" in
-V|version)
printf "V01 Jul 2021 Wk27"
printf ""
;;
-h|-\?|--help)
help=1
printf "Prints two text strings on two lines.\n"
printf "\$@ TEXT Sentences to print en new lines.\n"
shift
local -r f=0
break
;;
# ......................................................
-w|--warning)
case "$2" in
"1") local -r warn="first"; shift 2 ;;
*) local -r warn="all"; shift 2 ;;
esac
local -r f=1
;;
--)
shift; break ;;
esac
done
else
shorthelp=1 # getopt returned (and reported) an error.
fi
red=$(tput setaf 9)
rgl=$(tput sgr0)
local f=1
if (( f == 1 )); then
# print normal multi-line text
[[ ! -z warn ]] && printf '%s\n' "$@"
# print multi-line warnings
if [[ -n warn && "$warn" == "first" ]]; then
printf '%s\n' ${red}"$1"${rgl} # first line red
printf '%s\n' "${@:2}" # remaining, uncoloured
elif [[ -n warn && "$warn" == "all" ]]; then
printf '%s\n' ${red}"$@"${rgl} # all lines red
fi
fi
return 0
}
alias pfm=printfm
答案1
这里不存在涉及的问题printf
。
您的printfm
函数接受参数并进行自己的选项解析。它采用的选项是-V
, -h
, -?
, -w
, --warning
, 和--help
(请注意,它将--version
被识别,但无法执行,因为有一个拼写错误,在语句中,--
前面缺少 , )。当您使用两个参数和 调用它时,实用程序会抱怨字符串包含未知选项。version
case
-d DIR
--directory=DIR
getopt
传递非选项参数的常见方法是看--
与选项一样,对于实用程序或函数来说,是使用(“双破折号”)将实际选项与非选项参数分隔开:
printfm -- "-d DIR" "--directory=DIR"
这可以由您的printfm
代码正确处理,将导致选项解析在 处停止--
,并且允许您接收两个字符串作为非选项参数,即使它们以破折号开头。
有关的: