意外的 EOF 和语法错误

意外的 EOF 和语法错误

我目前正在编写第三个 shell 脚本,但遇到了问题。到目前为止,这是我的脚本:

#!/bin/bash
echo "choose one of the following options : \
  1) display all current users \
  2) list all files \
  3) show calendar \
  4) exit script"

while read  
do  
 case in  
        1) who;;  
        2) ls -a;;  
        3) cal;;  
        4) exit;;  
 esac    
done

当我尝试运行脚本时,它说:

line2 : unexpected EOF while looking for matching '"'  
line14 : syntax error: unexpected end of file.    

我究竟做错了什么?

答案1

我们不要忘记select

choices=( 
    "display all current users" 
    "list all files" 
    "show calendar" 
    "exit script"
)
PS3="your choice: "
select choice in "${choices[@]}"; do
    case $choice in
        "${choices[0]}") who;;
        "${choices[1]}") ls -a;;
        "${choices[2]}") cal;;
        "${choices[3]}") break;;
    esac
done

答案2

问题是,您的case陈述缺少主题 - 它应该评估的变量。因此你可能想要这样的东西:

#!/bin/bash
cat <<EOD
choose one of the following options:
1) display all current users
2) list all files
3) show calendar
4) exit script
EOD

while true; do
    printf "your choice: "
    read
    case $REPLY in
        1) who;;
        2) ls -a;;
        3) cal;;
        4) exit;;
    esac    
done

这里case使用默认变量,当没有给出任何变量名称时会填充该变量(详细信息请参阅$REPLY)。readhelp read

另请注意更改:printf用于在每轮中显示提示(并且不附加换行符),cat用于在多行上打印指令,以便它们不会换行并且更易于阅读。

答案3

让我们首先尝试单个案例。我将用来read -p将用户输入读入变量,opt然后是 case 语句,如下所示。

#!/bin/bash
read -p "choose one of the following options : \
  1) display all current users \
  2) list all files \
  3) show calendar \
  4) exit script" opt
case $opt in
1) who;;
2) ls -a;;
3) cal;;
4) exit;;
esac

上面的脚本工作正常,现在,我相信您需要将其放入循环中,以便您可以读取用户输入,直到用户按下选项 4。

因此,我们可以使用while如下循环来完成它。我将变量opt的初始值设置为 0。现在,while只要opt变量的值为 0,我就会在循环中进行迭代(这就是为什么我opt在语句末尾将变量重置为 0 case)。

#!/bin/bash
opt=0;
while [ "$opt" == 0 ]
do
read -p "choose one of the following options : \
  1) display all current users \
  2) list all files \
  3) show calendar \
  4) exit script" opt

case $opt in
1) who;;
2) ls -a;;
3) cal;;
4) exit;;
esac
opt=0
done

答案4

我个人会将“while”放在代码的开头。如果您随后在它后面加上:,它将允许它按照您的意愿循环多次。我就是这样写的。

while :
do
    echo "choose one of the following options : \
      1) display all current users \
      2) list all files \
      3) show calendar \
      4) exit script"
    read string
    case $string in
        1)
            who
            ;;

然后继续提问,最后以

esac
done

相关内容