我编写了一个获取可变数量参数的脚本:
test.sh -i <input1> <input2> ... -o <output1> <output2> ...
我按如下方式解析参数:
while [ $# -gt 1 ]; do
TMP=$(echo "$@" | cut -d '-' -f 2) #i <input1> <input2>
TMP1=$(echo "$TMP" | cut -d ' ' -f 1) #i
CNT=$(echo "$TMP" | wc -w) #3
set -x
case "$TMP1" in
i)
INPUTS=$(echo "$TMP" | cut -c 3-)
shift "$CNT"
;;
o)
OUTPUTS=$(echo "$TMP" | cut -c 3-)
shift "$CNT"
;;
esac
done
每次都有效,除了碰巧有&#39; - &#39;以他们的名义。
示例:
./test.sh -i file1.txt file-2.txt -o out1.txt out-2.txt
无论如何我可以强制cut
忽略文件名中出现的分隔符吗?
答案 0 :(得分:2)
您不需要所有这些字符串操作;每个论点都是一个单独的词。
while (( $# > 0 )); do
case $1 in
-i) shift
while [[ $# -gt 0 && $1 != -* ]]; do
inputs+=( "$1" )
shift
done
;;
-o) shift
while [[ $# -gt 0 && $1 != -* ]]; do
outputs+=( "$1" )
shift
done
;;
*) echo "Unrecognized option $1"
exit 1
;;
esac
done
这可以稍微重构一下,以避免重复检查参数的用完。
for arg in "$@"; do
case $1 in
-i) mode=input; continue ;;
-o) mode=output; continue ;;
esac
case $mode in
input) input+=("$arg") ;;
output) output+=("$arg") ;;
*) echo "Unknown mode: $mode"
exit 1
;;
esac
done
答案 1 :(得分:0)
这是一种可能使某人受益的替代方法。
事实上,参数解析总是一种权衡,因此将它定制到应用程序是有好处的。这是一个非常通用的解决方案,允许在参数中进行一些错误检查和无序。
这很简单,但我添加了一些示例输出和注释,为了便于阅读和兼容,我们远离复杂的方法来保存一行或两行(特别是在if语句中)。
bash #> touch file-1 file3 file4 file-8 file7
bash #> argparse -i file-1 file3 file4 -c -k --q --j -r -t -o file-8 file7
Input files: file-1 file3 file4 Output files: file-8 file7 Args are: c k q j r t Doing action for argument "c" Doing action for argument "k" Doing action for argument "j"
<强>脚本:强>
#!/bin/bash
#argparse
#Assign arrays
until [[ $# < 1 ]]; do
#ignore args "-i" and "-o", and tell the script to check for files following
if [ "$1" == "-i" ] ; then unset output ; input=1 ; shift
elif [ "$1" == "-o" ] ; then unset input ; output=1 ; shift
fi
#Add input and output files to respective arrays
if [ -f "$1" ] ; then
if [[ $input == 1 ]]; then
infiles+=($1)
elif [[ $output == 1 ]]; then
outfiles+=($1)
fi
else
#Add args to array
arg="$(echo "$1" | sed 's/-//g')"
args+=($arg)
fi
shift
done
#Some debug feedback
echo -e "Input files: ${infiles[@]}\nOutput files: ${outfiles[@]}\nArgs are: ${args[@]}\n"
#Simulate actually "doing" something with the args
for arg in "${args[@]}" ; do
case $arg in
"c") echo "Doing action for argument \"c\"" ;;
"k") echo "Doing action for argument \"k\"" ;;
"j") echo "Doing action for argument \"j\"" ;;
*) ;;
esac
done
更新/编辑:我刚刚意识到,除了-i
和{{之外,OP对解析实际参数没有任何要求1}}。不管怎么说,在某些时候这对某些人来说仍然可以派上用场。