我知道我可以使用-z
测试字符串是否为空,并使用-n
测试字符串是否为空。所以我在ubuntu 10.10中写了一个脚本:
#!/bin/bash
A=
test -z $A && echo "A is empty"
test -n $A && echo "A is non empty"
test $A && echo "A is non empty"
str=""
test -z $str && echo "str is empty"
test -n $str && echo "str is non empty"
test $str && echo "str is non empty"
令我惊讶的是,输出:
A is empty
A is non empty
str is empty
str is non empty
我觉得它应该是
A is empty
str is empty
任何Linux专家都可以解释原因吗?
谢谢。
答案 0 :(得分:5)
'问题'来自于此:
$ test -n && echo "Oh, this is echoed."
Oh, this is echoed.
即。没有参数的test -n
返回0 / ok。
将其更改为:
$ test -n "$A" && echo "A is non empty"
你会得到你期望的结果。
答案 1 :(得分:5)
这是解析Bash命令行的方式的结果。变量替换在构造(基本)语法树之前发生,因此-n
运算符不会将空字符串作为参数,它根本没有参数!一般情况下,你必须将任何变量引用括在“”中,除非你可以肯定确定它不是空的,正是为了避免这种和类似的问题
答案 2 :(得分:2)
这个会起作用:
#!/bin/bash
A=
test -z "$A" && echo "A is empty"
test -n "$A" && echo "A is non empty"
test $A && echo "A is non empty"
str=""
test -z "$str" && echo "str is empty"
test -n "$str" && echo "str is non empty"
test $str && echo "str is non empty"
只有$ A或$ str作为空字符串不会是测试的参数,然后测试状态始终为true,带有一个参数(非零长度的字符串)。最后一行正常,因为没有参数的测试总是返回false。