我的问题可以简化为使以下脚本工作(需要一个命令行参数):
#!/bin/bash
if ["$1" == "0"]; then
echo "good"
else
echo "bad"
fi
当我运行脚本 0时,这应该打印得很好,但我无法做到。我尝试了数字周围的各种引号组合,我尝试了 =、== 和 -eq。所以... bash,它是如何工作的?
我的问题可以简化为使以下脚本工作(需要一个命令行参数):
#!/bin/bash
if ["$1" == "0"]; then
echo "good"
else
echo "bad"
fi
当我运行脚本 0时,这应该打印得很好,但我无法做到。我尝试了数字周围的各种引号组合,我尝试了 =、== 和 -eq。所以... bash,它是如何工作的?
这[
实际上是一个命令。做一个ls /bin/[
或一个ls /usr/bin/[
。你会看到它实际上是一个可执行文件。
这[...]
是来自旧的伯恩贝壳时代。该if
命令执行该语句,如果该语句的退出代码为零,则该语句被认为是真的并执行 if 子句。如果退出代码不为零,则执行 else 子句(如果存在)。
试试这些:
$ date
Fri May 18 00:04:03 EDT 2012
echo $? #Prints the exit code of the date command
0
$ date -Q #Shouldn't work, I hope...
date: illegal option -- q
usage: date [-jnu] [-d dst] [-r seconds] [-t west] [-v[+|-]val[ymwdHMS]] ...
[-f fmt date | [[[mm]dd]HH]MM[[cc]yy][.ss]] [+format]
$ echo $? #Exit code for the date command
1
您可以看到这date
是一个有效命令并返回退出代码 0(的值$?
),但date -Q
它无效,并返回退出代码 1。
现在让我们在if
语句中尝试它们:
if date
then
echo "I've successfully printed out the date!"
else
echo "I made a mistake in the command"
fi
现在试试这个:
if date -q
then
echo "I've successfully printed out the date!"
else
echo "I made a mistake in the command"
fi
最初, the[...]
是该test
命令的别名。以下是等价的:
if test -f /bin/ls #Does a file called /bin/ls exist?
then
echo "There's a /bin/ls file"
fi
和
if [ -f /bin/ls ]
then
echo "There's a /bin/ls file"
fi
这就是为什么在[
and周围放置空格非常重要的原因]
。因为这些实际上是命令。在 BASH 中,shell 内置,但它们是命令。这也是为什么所有测试参数(如-f
、-z
和-eq
)都以破折号为前缀的原因。它们最初是test
命令的参数。
在括号和参数之间使用空格
$ cat x
#!/bin/bash
if [ "$1" == "0" ]; then
echo "good"
else
echo "bad"
fi
$ bash x 0
good
使用双括号进行算术比较,则无需担心引号和空格,例如:
#!/bin/bash
if (($1 == 0)); then
echo "good"
else
echo "bad"
fi
一般规则:(( ))
用于算术以及[[ ]]
文本和模式。
正如其他人所说, [ 是旧的 Bourne shell 语法,几乎没有理由再使用它了。