source(或者 .) 是在当前shell执行脚本的内容,所有对变量的修改在脚本执行完都会保留在当前shell上下文中。
而通过"sh 脚本名", 是在一个子shell中执行脚本。在子shell脚本中,是无法直接获取到父shell的一些没有export的变量的,比如$0, $1等。子脚本执行完返回父shell后,子shell中所有变量修改都消失。
除了这些,如果将函数单独定义在一个文件中,source还可以引入函数。
比如下边的简单例子:
[root@localhost test]# cat test04.sh
#!/bin/bash
echo test04 start ....
. ./test03.sh
echo test04 end ....
[root@localhost test]# cat test03.sh
#!/bin/bash
string1=$1
if [ -z $string1 ]; then
echo string1 is null
echo usage: $0 your_name
echo where your_name is a string following $0
else
echo your name is $string1
fi
执行 'test04.sh tom'的结果如下:
[root@localhost test]# sh test04.sh tom
test04 start ....
your name is tom
test04 end ....
而如果将test04.sh 中的'. ./test03.sh' 改成'sh ./test03.sh',执行结果则完全不一样
[root@localhost test]# sh test04.sh tom
test04 start ....
string1 is null
usage: ./test03.sh your_name
where your_name is a string following ./test03.sh
test04 end ....
下边的例子是关于source一个函数的例子:
[root@localhost test]# cat test04.sh
#!/bin/bash
echo test04 start ....
. ./function_show_name
show_name $1
echo test04 end ....
[root@localhost test]# cat function_show_name
function show_name
{
name=$1
if [ -z $string1 ]; then
echo name argument is null
echo usage: $0 your_name
echo where your_name is a string following $0
else
echo your name is $name
fi
}