鉴于此驱动程序功能仅在给定输入的情况下产生输出:
function driver -a arg
test $arg = 1; and echo OK
return 0
end
当函数发出输出时,一切正常:
$ driver 1 | od -c
0000000 O K \n
0000003
$ test -z (driver 1); and echo no output; or echo some output
some output
$ test -n (driver 1); and echo some output; or echo no output
some output
但是在无输出的情况下:
$ driver 0 | od -c
0000000
$ test -z (driver 0); and echo no output; or echo some output
no output
$ test -n (driver 0); and echo some output; or echo no output
some output
这是一个错误吗?
答案 0 :(得分:7)
这不是一个错误!
命令替换(driver X)
执行驱动程序函数,然后将每个输出行转换为参数。在(驱动程序0)的情况下,没有输出,因此您获得零参数。因此,无输出情况等同于运行test -z
和test -n
。
旧的IEEE 1003.1 tells us what test must do in this case:
1参数:如果$ 1不为null,则退出true(0);否则,退出错误
因此,当-n是唯一的参数时,它会失去其作为标志的状态,并且您最终会测试'-n'是否为非空(当然它会通过)。
你可以在bash中看到相同的行为:
> test -n `echo -n` ; echo $?
0
在fish中,如果要检查字符串是否为空,可以使用count
:
if count (driver 0) > /dev/null
# output!
end
您还可以使用带有test的中间变量:
set -l tmp (driver 0)
test -n "$tmp" ; and echo some output; or echo no output
引号确保$ tmp始终成为一个参数(可能为空)。