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

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

foo.sh:

bar $1 $2 $3 $4

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


当前回答

我的SUN Unix有很多限制,甚至“$@”也没有按预期解释。我的变通方法是${@}。例如,

#!/bin/ksh
find ./ -type f | xargs grep "${@}"

顺便说一下,我必须有这个特定的脚本,因为我的Unix也不支持grep -r

其他回答

bash和其他类似bourne的炮弹:

bar "$@"

我知道这个问题已经得到了很好的回答,但这里有一个“$@”$@“$*”和$*之间的比较

测试脚本内容:

# cat ./test.sh
#!/usr/bin/env bash
echo "================================="

echo "Quoted DOLLAR-AT"
for ARG in "$@"; do
    echo $ARG
done

echo "================================="

echo "NOT Quoted DOLLAR-AT"
for ARG in $@; do
    echo $ARG
done

echo "================================="

echo "Quoted DOLLAR-STAR"
for ARG in "$*"; do
    echo $ARG
done

echo "================================="

echo "NOT Quoted DOLLAR-STAR"
for ARG in $*; do
    echo $ARG
done

echo "================================="

现在,运行带有各种参数的测试脚本:

# ./test.sh  "arg with space one" "arg2" arg3
=================================
Quoted DOLLAR-AT
arg with space one
arg2
arg3
=================================
NOT Quoted DOLLAR-AT
arg
with
space
one
arg2
arg3
=================================
Quoted DOLLAR-STAR
arg with space one arg2 arg3
=================================
NOT Quoted DOLLAR-STAR
arg
with
space
one
arg2
arg3
=================================

使用“$@”(适用于所有POSIX兼容程序)。

[…), bash提供了“$@”变量,它扩展为所有用空格分隔的命令行参数。

以Bash为例。

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

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

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

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

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

Bar "$@"将等价于Bar "$1" "$2" "$3" "$4"

注意,引号很重要!

"$@", $@, "$*"或$*将在此stackoverflow回答中描述的转义和连接方面各自表现略有不同。

一个密切相关的用例是在一个参数中传递所有给定的参数,就像这样:

Bash -c“bar \”$1\“$2\”$3\“$4\””。

我使用@kvantour的答案的一个变体来实现这一点:

Bash -c "bar $(printf - ' ' %s ' ' ' $@")"