shell脚本中[[ ]]和[ ]的区别
shell脚本中[[ ]]和[ ]的区别及注意事项
[[ ]]和[ ]的区别
一. test和[]是符合posix标准的测试语句,兼容性相对更强,几乎可以运行在所有的shell解释器中
二. [ ]同时支持多个条件的逻辑测试,但在[ ]需要使用-a或-o,在[[ ]]中可以直接使用&&和||。且&&和||短路,-a和-o不短路
-
[ ]中使用-a或-o
[root@mao_aliyunserver bin]# cat test.sh #!/bin/bash a=$1 b=$2 c=$3 if [ $a = $b -a $a = $c ]; then echo "abc全部相等" elif [ $a = $b -o $a = $c -o $b = $c ]; then echo "abc其中两个相等" fi [root@mao_aliyunserver bin]# sh test.sh 1 1 2 abc其中两个相等 [root@mao_aliyunserver bin]# sh test.sh 1 1 1 abc全部相等 [root@mao_aliyunserver bin]# sh test.sh 1 2 2 abc其中两个相等
-
[ ]中使用&&或||
[root@mao_aliyunserver bin]# cat test.sh #!/bin/bash a=$1 b=$2 c=$3 if [ $a = $b && $a = $c ]; then echo "abc全部相等" elif [ $a = $b || $a = $c || $b = $c ]; then echo "abc其中两个相等" fi [root@mao_aliyunserver bin]# sh test.sh 1 1 1 test.sh: line 5: [: missing `]' test.sh: line 7: [: missing `]' test.sh: line 7: 1: command not found test.sh: line 7: 1: command not found
-
[[ ]]中使用&&或||
[root@mao_aliyunserver bin]# cat test.sh #!/bin/bash a=$1 b=$2 c=$3 if [[ $a = $b && $a = $c ]]; then echo "abc全部相等" elif [[ $a = $b || $a = $c || $b = $c ]]; then echo "abc其中两个相等" fi [root@mao_aliyunserver bin]# sh test.sh 1 1 1 abc全部相等 [root@mao_aliyunserver bin]# sh test.sh 1 1 2 abc其中两个相等 [root@mao_aliyunserver bin]# sh test.sh 1 2 2 abc其中两个相等
三. ==比较符在[[ ]]中是模式匹配,允许使用通配符,而在[ ]中仅仅用于精确比较
-
[[ ]]中模式匹配
[root@mao_aliyunserver bin]# cat test.sh #!/bin/bash a=$1 if [[ ${a} == mao* ]]; then echo "匹配上了" else echo "没有匹配上" fi [root@mao_aliyunserver bin]# sh test.sh maobaobao 匹配上了 [root@mao_aliyunserver bin]# sh test.sh bushimao 没有匹配上
四. =~比较符在[[ ]]中是正则匹配,在[ ]中不支持
-
[[ ]]中正则使用
[root@mao_aliyunserver bin]# cat test.sh #!/bin/bash a=$1 if [[ ${a} =~ ^mao ]]; then echo "匹配上了" else echo "没有匹配上" fi [root@mao_aliyunserver bin]# sh test.sh maomao 匹配上了 [root@mao_aliyunserver bin]# sh test.sh feimao 没有匹配上
五. [[ ]]中支持()分组测试,[ ]中仅部分解释器支持分组测试,且()需要转义
注意事项
- 不论是[[ ]]还是[ ]中,==符号两边都必须有空格。没有空格不会报错,但结果一直为真
- [ ]中使用-z和-n测试字符串是否为空,最好将测试对象用双引号引起来或使用[[ ]]