在shell中定义变量使用,如
$ A=1
$ echo $A
1
$
注意:在shell中,定义变量的时候,等号前后都不能有空格,如下几种都是错误的
$ A= 1
-bash: 1: command not found
$ A =1
-bash: A: command not found
$ A = 1
-bash: A: command not found
$
使用unset命令,如下,取消后再打印的时候就显示为空了
$ A=1
$ echo $A
1
$ unset A
$ echo $A
$
使用readonly声明一个静态变量,一经赋值后不能修改也不能取消,只有退出当前登录,下次登录后才取消
$ readonly B=2
$ echo $B
2
$ unset B
-bash: unset: B: cannot unset: readonly variable
$ B=3
-bash: B: readonly variable
$
(1)如下,变量值默认是字符串,不能进行数值运算
$ C=1+1
$ echo $C
1+1
$
(2)如下,变量值中有空格,需要使用引号,如果不使用引号,则会报错
$ D="hello world"
$ echo $D
hello world
$ D=hello world
-bash: world: command not found
$
(3)如下演示如何使用export声明环境变量,可以发现只有使用export声明为环境变量后,才可以在bash脚本中打印出来,否则在bash脚本中打印的变量E就是一个空
$ E="hello world"
$ echo 'echo $E'>test.sh
$ cat test.sh
echo $E
$ bash test.sh
$ export E
$ bash test.sh
hello world
$