shell 使用-n参数的使用
if [ -n str ] 当str非空的时候,为true
#!/bin/bash
if [ -n $1 ];then
echo "with args : $1"
else
echo "without args"
fi
上面的几行脚本,不管我们是否传入参数,都是输出with args 这行,也就是结果一直为true
原因是当我们的str没有用""引起来的时候,if [ -n $1 ] 相当于if [ -n ]
代码等价于下面这样:
#!/bin/bash
if [ -n ];then
echo "with args : $1"
else
echo "without args"
fi
正确的用法应该是这样,用"" 把-n 后面的str括起来
#!/bin/bash
if [ -n "$1" ];then
echo "with args : $1"
else
echo "without args"
fi
如果我们不想写""引号,还可以把判断条件写成这样(用[[ -n $1 ]]):
#!/bin/bash
if [[ -n $1 ]];then
echo "with args : $1"
else
echo "without args"
fi