如何在shell脚本中提示用户输入?

时间:2017-02-25 07:29:08

标签: bash shell scripting

我有一个shell脚本,我想在脚本执行时向用户提示输入对话框。

示例(脚本启动后):

"Enter the files you would like to install : "

user input : spreadsheet json diffTool

where $1 = spreadsheet, $2 = json, $3 = diffTool

然后遍历每个用户输入并执行类似

的操作
for var in "$@"
do
    echo "input is : $var"
done

我将如何在我的shell脚本中执行此操作?

提前谢谢

1 个答案:

答案 0 :(得分:15)

您需要使用read中提供的bash内置内容,并将多个用户输入存储到变量中,

read -p "Enter the files you would like to install: " arg1 arg2 arg3

以空格分隔输入。例如,在运行上述内容时,

Enter the files you would like to install: spreadsheet json diffTool

现在上述每个输入都可用于变量arg1arg2arg3

上面的部分回答了你的问题,你可以在一个分隔的空格中输入用户输入,但如果你有兴趣在一个循环中读取多个,用多个提示< / em>,以下是bash shell中的操作方法。以下逻辑获取用户输入,直到按下 Enter 键,

#!/bin/bash

input="junk"
inputArray=()

while [ "$input" != "" ] 
do 
   read -p "Enter the files you would like to install: " input
   inputArray+=("$input")
done

现在,您的所有用户输入都存储在数组inputArray中,您可以循环读取这些值。要一次性打印它们,请执行

printf "%s\n" "${inputArray[@]}"

或者更合适的循环是

for arg in "${inputArray[@]}"; do
    [ ! -z "$arg" ] && printf "%s\n" "$arg"
done

并以"${inputArray[0]}""${inputArray[1]}"等方式访问各个元素。