2

运行 if else 语句时,我不断收到意外的文件结束错误

#! /bin/bash
echo -e "1: Proband\n 2: mincount\n Enter an option:"
read promin
echo $promin
if ($promin == 1) then
echo -e "Enter the proband file name\n"
read proband_file
echo "$proband_file"
endif
if ($promin == 2) then
echo -e "enter the min count number\n"
read mincount
echo "$mincount mincount"
endif

我也尝试了 fi 而不是 elseif。但我仍然得到同样的错误。有人可以帮我解决这个问题吗?

4

4 回答 4

5

这是在 bash 中编写 if 语句的方式:

如果 - 那么 - fi

if [ conditional expression ]
then
    statement1
    statement2
fi

如果 - 那么 - 否则 - fi

If [ conditional expression ]
then
    statement1
    statement2
else
    statement3
    statement4
fi

if - then - elif - else - fi

If [ conditional expression1 ]
then
    statement1
    statement2
elif [ conditional expression2 ]
then
    statement3
    statement4
else
    statement5
fi

条件表达式示例:

#!/bin/bash
count=100
if [ $count -eq 100 ]
then
  echo "Count is 100"
fi
于 2013-06-17T20:15:40.783 回答
2

改进

if is 语法不正确。if应该有一个程序(bash或外部)运行,它返回一个退出代码。如果是0则如果为真,否则为假。您可以使用grep或任何其他实用程序,例如test/usr/bin/[。但是有一个内置的test[.

因此,如果等于 1,[ "$var" -eq 1 ]则返回 0 $var,如果不等于 1,则返回$var1。

在您的情况下,我建议使用case而不是if-then-elif-else-fi符号。

case $x in 
1) something;;
2) other;;
*) echo "Error"; exit 1;;
easc

甚至使用select. 例子:

#!/bin/bash

PS3="Enter an option: "
select promin in "Proband" "mincount";do [ -n "$promin" ] && break; done
echo $promin

case "$promin" in
  Proband) read -p "Enter the proband file name: " proband_file; echo "$proband_file";;
  mincount) read -p "Enter the min count number: " mincount; echo "$mincount mincount";;
  *) echo Error; exit 1;;
esac

这将打印“输入选项:”提示并等待出现正确答案(1 或 2 或 ^D - 完成输入)。

1) Proband
2) mincount
Enter an option: _

然后它检查case部分中的答案。同时$promin包含字符串,$REPLY包含输入的答案。它也可以用于case.

于 2013-06-17T20:31:00.203 回答
0

我刚刚更改了您的代码,我认为它现在可以工作了。

我认为问题是你应该fi而不是endif ...

#!/bin/sh
echo "1: Proband\n2: mincount\nEnter an option:"
read promin
echo $promin
if [ $promin -eq "1" ]
then
    echo "Enter the proband file name\n"
    read proband_file
    echo "$proband_file"
elif [ $promin -eq "2" ]
then
    echo "enter the min count number\n"
    read mincount
    echo "$mincount mincount"
fi
于 2013-06-17T20:42:26.250 回答
0
#! /bin/bash
echo -e "1: Proband\n2: mincount\nEnter an option:"
read promin
echo $promin
if (($promin == 1)); then
echo -e "Enter the proband file name\n"
read proband_file
echo "$proband_file"
elif (($promin == 2)); then
echo -e "Enter the min count number\n"
read mincount
echo "$mincount mincount"
fi

我不知道您是否需要一个 if-else 语句或两个 if 语句。上面有一个if-else。如果您需要两个 if 语句,则在 "echo "$proband_file"" 行下方插入一行代码,其中包含以下文本:

fi

然后用以下代码替换“elif (($promin == 2)); then”行:

if (($promin == 2)); then
于 2013-06-18T05:20:50.313 回答