谁可以简单解释
答案 0 :(得分:7)
除了技术文档中描述的差异之外,最好使用一些示例显示:
假设我们有四个shell脚本test1.sh
:
#!/bin/bash
rm $*
test2.sh
:
#!/bin/bash
rm "$*"
test3.sh
:
#!/bin/bash
rm $@
test4.sh
:
#!/bin/bash
rm "$@"
(我在这里使用的是rm
而不是echo
,因为使用echo
时,无法看到差异。
我们使用以下命令行在一个空的目录中调用所有这些命令行:
./testX.sh "Hello World" Foo Bar
对于test1.sh
和test3.sh
,我们会收到以下输出:
rm: cannot remove ‘Hello’: No such file or directory
rm: cannot remove ‘World’: No such file or directory
rm: cannot remove ‘Foo’: No such file or directory
rm: cannot remove ‘Bar’: No such file or directory
这意味着,参数被视为一个完整的字符串,与空格连接,然后作为参数重新并传递给命令。将参数转发给另一个命令时,这通常没有用。
使用test2.sh
,我们得到:
rm: cannot remove ‘Hello World Foo Bar’: No such file or directory
所以我们和test{1,3}.sh
一样,但这一次,结果作为一个参数传递。
test4.sh
有一些新内容:
rm: cannot remove ‘Hello World’: No such file or directory
rm: cannot remove ‘Foo’: No such file or directory
rm: cannot remove ‘Bar’: No such file or directory
这意味着参数的传递方式与传递给脚本的方式相同。将参数传递给其他命令时,这很有用。
区别很微妙,但是在将参数传递给命令时会咬你,这些命令在命令行中的某些点以及空间参与游戏时需要信息。事实上,这是大多数炮弹的许多陷阱之一的一个很好的例子。
答案 1 :(得分:3)
如果您不将$*
或$@
放在引号中,则没有区别。但是如果你把它们放在引号内(作为一般的好习惯),那么$@
会将你的参数作为单独的参数传递,而$*
只会将所有参数作为单个参数传递。 / p>
使用这些脚本(foo.sh
和bar.sh
)进行测试:
>> cat bar.sh
echo "Arg 1: $1"
echo "Arg 2: $2"
echo "Arg 3: $3"
echo
>> cat foo.sh
echo '$* without quotes:'
./bar.sh $*
echo '$@ without quotes:'
./bar.sh $@
echo '$* with quotes:'
./bar.sh "$*"
echo '$@ with quotes:'
./bar.sh "$@"
现在这个例子应该清楚一切:
>> ./foo.sh arg1 "arg21 arg22" arg3
$* without quotes:
Arg 1: arg1
Arg 2: arg21
Arg 3: arg22
$@ without quotes:
Arg 1: arg1
Arg 2: arg21
Arg 3: arg22
$* with quotes:
Arg 1: arg1 arg21 arg22 arg3
Arg 2:
Arg 3:
$@ with quotes:
Arg 1: arg1
Arg 2: arg21 arg22
Arg 3: arg3
显然,"$@"
给出了我们通常想要的行为。
案例1:$*
和$@
周围没有引号:
两者都有相同的行为。
./bar.sh $*
=> bar.sh
将arg1
,arg2
和arg3
作为单独的参数
./bar.sh $@
=> bar.sh
将arg1
,arg2
和arg3
作为单独的参数
案例2:您使用$*
和$@
周围的引号:
./bar.sh "$*"
=> bar.sh
将arg1 arg2 arg3
作为单个参数
./bar.sh "$@"
=> bar.sh
将arg1
,arg2
和arg3
作为单独的参数
更重要的是,$*
也会忽略参数列表中的引号。例如,如果您提供了./foo.sh arg1 "arg2 arg3"
,即使如此:
./bar.sh "$*"
=> bar.sh
仍然会收到arg2
和arg3
作为单独的参数!
./bar.sh "$@"
=>将arg2 arg3
作为单个参数传递(这是您通常想要的)。
再次注意,只有将$*
和$@
放在引号中时才会出现这种差异。否则他们会有相同的行为。
官方文件:http://www.gnu.org/software/bash/manual/bash.html#Special-Parameters
答案 2 :(得分:2)
请参阅此here:
$# Stores the number of command-line arguments that
were passed to the shell program.
$? Stores the exit value of the last command that was
executed.
$0 Stores the first word of the entered command (the
name of the shell program).
$* Stores all the arguments that were entered on the
command line ($1 $2 ...).
"$@" Stores all the arguments that were entered
on the command line, individually quoted ("$1" "$2" ...).
举个例子
./command -yes -no /home/username
so now..
$# = 3
$* = -yes -no /home/username
$@ = ("-yes" "-no" "/home/username")
$0 = ./command
$1 = -yes
$2 = -no
$3 = /home/username
答案 3 :(得分:1)
引用它们时有所不同:
$ set "a b" c d
$ echo $#
3
$ set "$*"
$ echo $#
1
$ set "a b" c d
$ echo $#
3
$ set "$@"
$ echo $#
3
这里只有第二种形式保留了参数计数。