2

我有一个显示动态文件列表($list)的选择语句。我希望能够输入“1、2、3”,它将选择文件 1、文件 2 和文件 3。如何修改此选择(甚至可能需要不同的结构)以允许选择多个选项?

select option in $list; do
        case $option in
            * )
                if [ "$option" ]; then
                    echo "Selected: " $option
                    break
                else
                    echo "Invalid input. Try again."
                fi;
        esac
    done
4

2 回答 2

7

此代码不使用select,但几乎可以满足您的需求-

#! /bin/bash
files=("file1" "file2" "file3" "file4" "Quit")

menuitems() {
    echo "Avaliable options:"
    for i in ${!files[@]}; do
        printf "%3d%s) %s\n" $((i+1)) "${choices[i]:- }" "${files[i]}"
    done
    [[ "$msg" ]] && echo "$msg"; :
}

prompt="Enter an option (enter again to uncheck, press RETURN when done): "
while menuitems && read -rp "$prompt" num && [[ "$num" ]]; do
    [[ "$num" != *[![:digit:]]* ]] && (( num > 0 && num <= ${#files[@]} )) || {
        msg="Invalid option: $num"; continue
    }
    if [ $num == ${#files[@]} ];then
      exit
    fi
    ((num--)); msg="${files[num]} was ${choices[num]:+un-}selected"
    [[ "${choices[num]}" ]] && choices[num]="" || choices[num]="x"
done

printf "You selected"; msg=" nothing"
for i in ${!files[@]}; do
    [[ "${choices[i]}" ]] && { printf " %s" "${files[i]}"; msg=""; }
done
echo "$msg"

演示-

$ ./test.sh
Avaliable options:
  1 ) file1
  2 ) file2
  3 ) file3
  4 ) file4
  5 ) Quit
Enter an option (enter again to uncheck, press RETURN when done): 1
Avaliable options:
  1x) file1
  2 ) file2
  3 ) file3
  4 ) file4
  5 ) Quit
file1 was selected
Enter an option (enter again to uncheck, press RETURN when done): 2
Avaliable options:
  1x) file1
  2x) file2
  3 ) file3
  4 ) file4
  5 ) Quit
file2 was selected
Enter an option (enter again to uncheck, press RETURN when done): 3
Avaliable options:
  1x) file1
  2x) file2
  3x) file3
  4 ) file4
  5 ) Quit
file3 was selected
Enter an option (enter again to uncheck, press RETURN when done): 1
Avaliable options:
  1 ) file1
  2x) file2
  3x) file3
  4 ) file4
  5 ) Quit
file1 was un-selected
Enter an option (enter again to uncheck, press RETURN when done): 
You selected file2 file3
于 2012-08-12T03:47:38.050 回答
0

select往常一样填充变量 REPLY,您可以在$list之后循环。(VAR in $list$VAR 仅填充,单选。)例如:

select ITEMS in $list; do
    case $ITEMS in
        * )
            break
    esac
done

# it $ITEMS is empty, but $REPLY not, we got multi selection
if [ -z "$ITEMS" ] && [ -n "$REPLY" ]; then
    # add some spaces to begin and end for simpler checking below, regarding multi digit REPLY entries
    REPLY_LIST=" $REPLY "
    CNT=1
    for ITEM in $list; do
        if [[ "$REPLY_LIST" =~ " $CNT " ]]; then
            ITEMS="$ITEMS $ITEM"
        fi
        CNT=$((CNT+1))
    done
elif [ -z "$ITEMS" ]; then
    echo nothing selected
    exit
fi
echo "Selected: $ITEMS ($REPLY)"
于 2017-01-02T14:03:48.530 回答