Solicitar valores até pressionar a tecla ENTER com valor vazio

2

Estou trabalhando em um script bash para automatizar algumas tarefas. Isso é o que eu fiz até agora:

#!/usr/bin/env bash

PS3='Please enter your choice: '
options=("Create new group" "Add users to group" "Change directory ownership" "Change directory permissions" "Quit")
select opt in "${options[@]}"
do
    case $opt in
        "Create new group")
            read -e -p "Enter the group name: " -i "www-pub" groupname
            groupadd groupname
            echo "You have added a new group: " groupname
            ;;
        "Add users to group")
            ## Here 
            ;;
        "Change directory ownership")
            read -e -p "Enter the group name: " -i "www-pub" "Enter the directory: " -i "/var/www/html" groupname directory
            chown -R root:groupname directory
            echo "You have changed the ownership for: " directory " to root:" groupname
            ;;
        "Change directory permissions")
            ## Actions for change directory permissions goes here
            ;;
        "Quit")
            break
            ;;
        *) echo invalid option;;
    esac
done

Agora, na etapa 2 Add users to group , desejo adicionar mais de um usuário a um determinado grupo. Então:

  • Posso usar groupname anterior na etapa 1 ou devo pedir groupname sempre?
  • Eu preciso pedir mais de um usuário para adicioná-lo ao grupo executando este comando: usermod -a -G groupname username , como eu peço para eles até o valor vazio?

Como exemplo:

Add users to group
Enter the group name: www-pub
Enter user: user1
user1 added to www-pub
Enter user: user2
user2 added to www-pub
Enter user: (none hit ENTER without values)
Return to the main menu

Alguém pode me ajudar a construir esse bloco de código?

    
por ReynierPM 05.02.2015 / 23:57

1 resposta

3

Aqui está uma maneira:

    "Add users to group")
        read -e -p "Enter the group name: " -i "www-pub" groupname
        loop=true          # "true" is a command
        while $loop; do    # the "$loop" command is executed
            read -p "enter username: " username
            if [[ -z $username ]]; then
                loop=false # this command returns a fail status, and
                           # will break the while loop
            else
                # add user to group
            fi
        done
        ;;

Uma maneira mais concisa:

        while true; do
            read -p "enter username: " username
            [[ -z $username ]] && break
            # add user
        done
    
por 06.02.2015 / 00:42