如何编写 bash 菜单脚本以使选项成为列表的内容?

如何编写 bash 菜单脚本以使选项成为列表的内容?

我正在使用通用 bash 菜单脚本:

#!/bin/bash
# Bash Menu Script Example

PS3='Please enter your choice: '
options=("Option 1" "Option 2" "Option 3" "Quit")
select opt in "${options[@]}"
do
    case $opt in
        "Option 1")
            echo "you chose choice 1"
            ;;
        "Option 2")
            echo "you chose choice 2"
            ;;
        "Option 3")
            echo "you chose choice 3"
            ;;
        "Quit")
            break
            ;;
    esac
done

执行时,内容如下:

1) Option 1
2) Option 2
3) Option 3
4) Quit
Please enter your choice: 

我有一个名为 list.txt 的文件:

Android
iOS
Windows

如何编写 bash 菜单脚本,使选项成为 list.txt 的内容:

1) Android
2) iOS
3) Windows
4) Quit
Please enter your choice: 

答案1

你可以替换

options=("Option 1" "Option 2" "Option 3" "Quit")

mapfile -t options < list.txt
options+=( "Quit" )

并调整你的case模式。$opt您可以使用$REPLY包含所选数字并且更容易检查的变量,而不是测试变量的内容。

答案2

将文件读入数组:

#!/usr/bin/env bash

readarray -t list < list.txt

PS3='Please enter your choice or 0 to exit: '
select selection in "${list[@]}"; do
    if [[ $REPLY == "0" ]]; then
        echo 'Goodbye' >&2
        exit
    else
       echo $REPLY $selection
        break
    fi
done

相关内容