35

我是 shell 脚本的新手,所以我有一个问题。我在这段代码中做错了什么?

#!/bin/bash
echo " Write in your age: "
read age
if [ "$age" -le "7"] -o [ "$age" -ge " 65" ]
then
echo " You can walk in for free "
elif [ "$age" -gt "7"] -a [ "$age" -lt "65"]
then
echo " You have to pay for ticket "
fi

当我试图打开这个脚本时,它会询问我的年龄,然后它说

./bilet.sh: line 6: [: 7]: integer expression expected
./bilet.sh: line 9: [: missing `]'

我不知道我做错了什么。如果有人能告诉我如何解决它,我将不胜感激,对不起我的英语不好,希望你们能理解我。

4

6 回答 6

43

您可以使用以下语法:

#!/bin/bash

echo " Write in your age: "
read age

if [[ "$age" -le 7 || "$age" -ge 65 ]] ; then
    echo " You can walk in for free "
elif [[ "$age" -gt 7 && "$age" -lt 65 ]] ; then
    echo " You have to pay for ticket "
fi
于 2013-10-21T21:43:48.377 回答
15

如果您使用-o(或-a),它需要在test命令的括号内:

if [ "$age" -le "7" -o "$age" -ge " 65" ]

但是,它们的使用已被弃用,您应该使用由(or )test连接的单独命令来代替:||&&

if [ "$age" -le "7" ] || [ "$age" -ge " 65" ]

确保右括号前面有空格,因为它们在技术上是 的参数[,而不仅仅是语法。

bash和其他一些 shell 中,您可以使用kamituel 的答案[[中所示的高级表达式。以上将在任何符合 POSIX 的 shell 中工作。

于 2013-10-21T21:45:42.037 回答
10

如果您要比较的变量具有不是数字/数字的隐藏字符,也会发生此错误。

例如,如果您从第三方脚本中检索整数,则必须确保返回的字符串不包含隐藏字符,例如"\n""\r"

例如:

#!/bin/bash

# Simulate an invalid number string returned
# from a script, which is "1234\n"
a='1234
'

if [ "$a" -gt 1233 ] ; then
    echo "number is bigger"
else
    echo "number is smaller"
fi

这将导致脚本错误: integer expression expected,因为$a包含非数字换行符"\n"。您必须使用此处的说明删除此字符:如何从 Bash 中的字符串中删除回车符

所以使用这样的东西:

#!/bin/bash

# Simulate an invalid number string returned
# from a script, which is "1234\n"
a='1234
'

# Remove all new line, carriage return, tab characters
# from the string, to allow integer comparison
a="${a//[$'\t\r\n ']}"

if [ "$a" -gt 1233 ] ; then
    echo "number is bigger"
else
    echo "number is smaller"
fi

您还可以set -xv用来调试 bash 脚本并显示这些隐藏字符。见https://www.linuxquestions.org/questions/linux-newbie-8/bash-script-error-integer-expression-expected-934465/

于 2018-02-09T11:56:52.657 回答
6
./bilet.sh: line 6: [: 7]: integer expression expected

小心" "

./bilet.sh: line 9: [: missing `]'

这是因为您需要在括号之间留有空格,例如:

if [ "$age" -le 7 ] -o [ "$age" -ge 65 ]

看:增加了空间,没有" "

于 2017-05-11T14:28:17.107 回答
1

尝试这个:

If [ $a -lt 4 ] || [ $a -gt 64 ] ; then \n
     Something something \n
elif [ $a -gt 4 ] || [ $a -lt 64 ] ; then \n
     Something something \n
else \n
    Yes it works for me :) \n
于 2017-07-10T08:24:11.453 回答
0

如果您只是比较数字,我认为无需更改语法,只需更正那些行,即第 6 行和第 9 行括号。

第 6 行之前: if [ "$age" -le "7"] -o [ "$age" -ge " 65" ]

后:if [ "$age" -le "7" -o "$age" -ge "65" ]

第 9 行之前: elif [ "$age" -gt "7"] -a [ "$age" -lt "65"]

后:elif [ "$age" -gt "7" -a "$age" -lt "65" ]

于 2020-04-27T16:37:46.113 回答