我正在编写一个调用另一个脚本的非常简单的脚本,我需要将参数从当前脚本传播到我正在执行的脚本。

例如,我的脚本名为foo.sh,调用bar.sh。

foo.sh:

bar $1 $2 $3 $4

如何在不显式指定每个参数的情况下做到这一点?


当前回答

工作正常,除非您有空格或转义字符。我没有找到在这种情况下捕获参数并发送到脚本中的ssh的方法。

这可能是有用的,但如此丑陋

_command_opts=$( echo "$@" | awk -F\- 'BEGIN { OFS=" -" } { for (i=2;i<=NF;i++) { gsub(/^[a-z] /,"&@",$i) ; gsub(/ $/,"",$i );gsub (/$/,"@",$i) }; print $0 }' | tr '@' \' )

其他回答

如果你确实希望传递相同的参数,请使用“$@”而不是普通的$@。

观察:

$ cat no_quotes.sh
#!/bin/bash
echo_args.sh $@

$ cat quotes.sh
#!/bin/bash
echo_args.sh "$@"

$ cat echo_args.sh
#!/bin/bash
echo Received: $1
echo Received: $2
echo Received: $3
echo Received: $4

$ ./no_quotes.sh first second
Received: first
Received: second
Received:
Received:

$ ./no_quotes.sh "one quoted arg"
Received: one
Received: quoted
Received: arg
Received:

$ ./quotes.sh first second
Received: first
Received: second
Received:
Received:

$ ./quotes.sh "one quoted arg"
Received: one quoted arg
Received:
Received:
Received:

如果在带引号的字符串中包含$@和其他字符,当有多个参数时,行为是非常奇怪的,只有第一个参数包含在引号中。

例子:

#!/bin/bash
set -x
bash -c "true foo $@"

收益率:

$ bash test.sh bar baz
+ bash -c 'true foo bar' baz

但是先赋值给另一个变量:

#!/bin/bash
set -x
args="$@"
bash -c "true foo $args"

收益率:

$ bash test.sh bar baz
+ args='bar baz'
+ bash -c 'true foo bar baz'

有时你想传递所有的参数,但前面有一个标志(例如——flag)

$ bar --flag "$1" --flag "$2" --flag "$3"

你可以通过以下方式做到这一点:

$ bar $(printf -- ' --flag "%s"' "$@")

注意:为了避免额外的字段分割,您必须引用%s和$@,并且为了避免使用单个字符串,您不能引用printf的子shell。

这里有很多答案推荐带引号或不带引号的$@或$*,但似乎没有人解释这些参数的真正作用以及为什么你应该这样做。所以让我从这个答案中偷取一个很好的总结:

+--------+---------------------------+
| Syntax |      Effective result     |
+--------+---------------------------+
|   $*   |     $1 $2 $3 ... ${N}     |
+--------+---------------------------+
|   $@   |     $1 $2 $3 ... ${N}     |
+--------+---------------------------+
|  "$*"  |    "$1c$2c$3c...c${N}"    |
+--------+---------------------------+
|  "$@"  | "$1" "$2" "$3" ... "${N}" |
+--------+---------------------------+

请注意,引号会造成所有的不同,如果没有引号,两者的行为是相同的。

出于我的目的,我需要将参数从一个脚本传递到另一个脚本,为此最好的选择是:

# file: parent.sh
# we have some params passed to parent.sh 
# which we will like to pass on to child.sh as-is

./child.sh $*

注意,在上述情况下,没有引号和$@也可以工作。

bash和其他类似bourne的炮弹:

bar "$@"