我没有为$ pass_tc11设置任何值;因此,它在回声时返回零。如何在if
子句中进行比较?
这是我的代码。我不想打印" HI" ...
-bash-3.00$ echo $pass_tc11
-bash-3.00$ if [ "pass_tc11" != "" ]; then
> echo "hi"
> fi
hi
-bash-3.00$
首先,请注意您未正确使用变量:
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
字符串的长度为零
-n String
字符串的长度为非零
样品:
$ [ ! -z "$var" ] && echo "yes"
$
$ var=""
$ [ ! -z "$var" ] && echo "yes"
$
$ var="a"
$ [ ! -z "$var" ] && echo "yes"
yes
$ var="a"
$ [ -n "$var" ] && echo "yes"
yes
fedorqui有一个工作解决方案,但是还有另一种做同样的事情的方法。
chock如果设置了变量
#!/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