我有以下 shell 脚本:
#!/usr/bin/env bash
PARAMS=( arg1 arg2 arg3 arg4 arg5 arg6 arg7 arg8 arg9 )
[ $# -lt ${#PARAMS[@]} ] && { echo "Usage: $0 ${PARAMS[@]}"; exit 1; }
DATA=$(printf "%s=%s&" ${PARAMS[@]} $@)
echo curl "http://example.com/api/?${DATA%?}"
其目的是采取n- 参数数量并将它们与从参数读取的值相关联。
所以当我跑步时:
./curl_params.sh 1 2 3 4 5 6 7 8 9
我期望的格式是:
curl http://example.com/api/?arg1=1&arg2=2&arg3=3&arg4=4&arg5=5&arg6=6&arg7=7&arg8=8&arg9=9
但相反,我有:
curl http://example.com/api/?arg1=arg2&arg3=arg4&arg5=arg6&arg7=arg8&arg9=1&2=3&4=5&6=7&8=9
我知道我需要${PARAMS[@]}
与结合$@
,因此值被合并。
是否有任何 Bash 语法可用于将参数名称转置/映射到相应的值?
为了澄清,参数的名称可能会改变。
答案1
paste
+printf
解决方案:
#!/usr/bin/env bash
PARAMS=( arg1 arg2 arg3 arg4 arg5 arg6 arg7 arg8 arg9 )
[ $# -lt ${#PARAMS[@]} ] && { echo "Usage: $0 ${PARAMS[@]}"; exit 1; }
data=$(paste -sd'&' <(paste -d= <(printf "%s\n" "${PARAMS[@]}") <(printf "%s\n" "$@")))
echo curl "http://example.com/api/?${data}"
测试:
./curl_params.sh 1 2 3 4 5 6 7 8 9
curl http://example.com/api/?arg1=1&arg2=2&arg3=3&arg4=4&arg5=5&arg6=6&arg7=7&arg8=8&arg9=9
答案2
我将存储$@
在一个数组中,然后迭代索引:考虑这个 bash 会话:
$ set -- a b c d e f g h i
$ args=( "$@" )
$ params=( arg1 arg2 arg3 arg4 arg5 arg6 arg7 arg8 arg9 )
$ declare -p params args
declare -a params='([0]="arg1" [1]="arg2" [2]="arg3" [3]="arg4" [4]="arg5" [5]="arg6" [6]="arg7" [7]="arg8" [8]="arg9")'
declare -a args='([0]="a" [1]="b" [2]="c" [3]="d" [4]="e" [5]="f" [6]="g" [7]="h" [8]="i")'
$ for ((i=0; i<$#; i++)); do echo "${params[i]}=${args[i]}"; done
arg1=a
arg2=b
arg3=c
arg4=d
arg5=e
arg6=f
arg7=g
arg8=h
arg9=i
$ for ((i=0; i<$#; i++)); do echo "${params[i]}=${args[i]}"; done | paste -s -d'&'
arg1=a&arg2=b&arg3=c&arg4=d&arg5=e&arg6=f&arg7=g&arg8=h&arg9=i
但是 bash 无法处理
data=$( for ((i=0; i<$#; i++)); do echo "${params[i]}=${args[i]}"; done | paste -s -d'&' )
显然 bash 无法正确处理所有括号:在脚本中我收到此错误:
bash: unexpected EOF while looking for matching `)'
bash: syntax error: unexpected end of file
所以你可以使用不同的循环:
data=$(
let i=0
while [[ $i -lt $# ]]; do
echo "${params[i]}=${args[i]}"
let i++
done | paste -s -d'&'
)
echo "$data"
注意,不要使用 ALL_CAPS_VARNAMES,将它们保留为 shell 保留的。
如果您的 PARAMS 始终是“arg”后跟一个数字,则不需要将“$@”存储在数组中,您可以使用间接变量引用它们:
data=$(
let i=1 # note, starts at 1
while [[ $i -le $# ]]; do # and uses "-le"
echo "arg${i}=${!i}" # with ${!i} to get the positional param
let i++
done | paste -s -d'&'
)
echo "$data"