Null& Bash中的空字符串比较

时间:2014-01-28 13:43:41

标签: bash shell

我没有为$ pass_tc11设置任何值;所以它在回显时返回null。如何在if子句中进行比较?

这是我的代码。 我不希望打印“嗨”......

-bash-3.00$ echo $pass_tc11

-bash-3.00$ if [ "pass_tc11" != "" ]; then
> echo "hi"
> fi
hi
-bash-3.00$

2 个答案:

答案 0 :(得分:66)

首先,请注意您没有正确使用变量:

if [ "pass_tc11" != "" ]; then
#     ^
#     missing $

无论如何,要检查变量是否为空,您可以使用-z - >字符串为空:

if [ ! -z "$pass_tc11" ]; then
   echo "hi, I am not empty"
fi

-n - >长度不为零:

if [ -n "$pass_tc11" ]; then
   echo "hi, I am not empty"
fi

来自man test

  

-z STRING

     

STRING的长度为零

     

-n STRING

     

STRING的长度非零

样品:

$ [ ! -z "$var" ] && echo "yes"
$

$ var=""
$ [ ! -z "$var" ] && echo "yes"
$

$ var="a"
$ [ ! -z "$var" ] && echo "yes"
yes

$ var="a"
$ [ -n "$var" ] && echo "yes"
yes

答案 1 :(得分:2)

fedorqui有一个可行的解决方案,但还有另一种方法可以做同样的事情。

如果设置了变量,则阻塞

#!/bin/bash
amIEmpty='Hello'
# This will be true if the variable has a value
if [ $amIEmpty ]; then
    echo 'No, I am not!';
fi

或验证变量是否为空

#!/bin/bash      
amIEmpty=''
# This will be true if the variable is empty
if [ ! $amIEmpty ]; then
    echo 'Yes I am!';
fi

tldp.org有关于是否在bash中的良好文档:
http://tldp.org/LDP/Bash-Beginners-Guide/html/sect_07_01.html