我有大量的配置变量,我希望用户对这些变量进行确认。因此,可能存在一些指定运行编号的变量,我希望脚本询问用户变量的当前值是否正常。如果用户回答该值不正确,脚本会请求一个新值并将其分配给变量。
我已经初步尝试了这样做的功能,但是它的运行存在一些困难;它停了下来。我会在解决问题方面给予一些帮助,也对我正在使用的方法提出任何批评。代码如下:
confirmVariableValue(){
variableName="${1}"
variableValue="${!variableName}"
while [[ "${userInput}" != "n" && "${userInput}" != "y" ]]; do
echo "variable "${variableName}" value: "${variableValue}""
echo "Is this correct? (y: continue / n: change it / other: exit)"
read userInput
# Make the user input lowercase.
userInput="$(echo "${userInput}" | sed 's/\(.*\)/\L\1/')"
# If the user input is "n", request a new value for the variable. If the
# user input is anything other than "y" or "n", exit. If the user input
# is "y", then the user confirmation loop ends.
if [[ "${userInput}" == "n" ]]; then
echo "enter variable "${variableName}" value:"
read variableValue
elif [[ "${userInput}" != "y" && "${userInput}" != "n" ]]; then
echo "terminating"
exit 0
fi
done
echo "${variableValue}"
}
myVariable="run_2014-09-23T1909"
echo "--------------------------------------------------------------------------------"
echo "initial variable value: "${myVariable}""
myVariable="$(confirmVariableValue "myVariable")"
echo "final variable value: "${myVariable}""
echo "--------------------------------------------------------------------------------"
答案 0 :(得分:4)
问题在于:
myVariable="$(confirmVariableValue "myVariable")"
你的问题,比如
echo "Is this correct? (y: continue / n: change it / other: exit)"
进入myVariable
,而不进入屏幕。
尝试打印问题到STDERR,或任何其他文件描述符,但STDOUT。
基于意见的评论:我对这样的配置脚本不满意。这太健谈了。对我来说更好:
Press Enter for confirm or enter a new value or <something> for exit>
您还可以使用以下技术:
readline
库获取read
命令-e
-i value
设置编辑的默认值printf -v variable
打印到变量中,因此您不需要使用var=$(...)
或任何(可能)危险的评估...... 示例:
err() { echo "$@" >&2; return 1; }
getval() {
while :
do
read -e -i "${!1}" -p "$1>" inp
case "$inp" in
Q|q) err "Quitting...." || return 1 ;;
"") err "Must enter some value" ;;
*)
#validate the input here
#and print the new value into the variable
printf -v "$1" "%s" "$inp"
return 0
;;
esac
done
}
somevariable=val1
anotherone=val2
x=val3
for var in somevariable anotherone x
do
getval "$var" || exit
echo "new value for $var is: =${!var}="
done
答案 1 :(得分:1)
我不会让他们回答“是”然后输入新值。如果他们想要新值,只需让他们输入新值,或者将其留空以接受默认值。
这个小函数允许您在一次调用中设置多个变量:
function confirm() {
echo "Confirming values for several variables."
for var; do
read -p "$var = ${!var} ... leave blank to accept or enter a new value: "
case $REPLY in
"") # empty use default
;;
*) # not empty, set the variable using printf -v
printf -v "$var" "$REPLY"
;;
esac
done
}
像这样使用:
$ foo='foo_default_value'
$ bar='default_for_bar'
$ confirm foo bar
Confirming values for several variables.
foo = foo_default_value ... leave blank to accept or enter a new value: bar
bar = default_for_bar ... leave blank to accept or enter a new value:
foo=[bar], bar=[default_for_bar]
当然,如果空白可以是默认值,那么您需要考虑到这一点,例如@ jm666使用read -i
。