Construa um comando dinamicamente

9

Estou trabalhando em um script e preciso criar o comando tar dinamicamente.

Aqui estão dois exemplos para ilustrar o que estou tentando fazer:

#!/bin/bash

TAR_ME="/tmp"

EXCLUDE=("/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*")
_tar="tar "'printf -- '--exclude="%s" ' "${EXCLUDE[@]}"'" -zcf tmp.tar.gz"
echo COMMAND: "${_tar}"
${_tar} "$TAR_ME"

echo -e "\n\nNEXT:\n\n"

EXCLUDE=("--exclude=/tmp/hello\ hello" "--exclude=/tmp/systemd*" "--exclude=/tmp/Temp*")
_tar="tar "'printf -- '%s ' "${EXCLUDE[@]}"'" -zcf test.tar.gz"
echo COMMAND: "${_tar}"
${_tar} "$TAR_ME"

Eu quero poder usar _tar como um comando, consegui fazê-lo funcionar com o caminho clássico, mas preciso trabalhar com espaços no nome das pastas. E toda vez que recebi erros parecidos com:

COMMAND: tar --exclude="/tmp/hello hello" --exclude="/tmp/systemd*" --exclude="/tmp/Temp*"  -zcf tmp.tar.gz /tmp
tar: hello": Cannot stat: No such file or directory

COMMAND: tar --exclude=/tmp/hello\ hello --exclude=/tmp/systemd* --exclude=/tmp/Temp*  -zcf test.tar.gz 
tar: hello: Cannot stat: No such file or directory

Apenas uma coisa que você precisa saber, preciso que meu script funcione em máquinas muito antigas, o que significa que não posso usar os últimos recursos do bash.

    
por ShellCode 04.10.2018 / 15:35

2 respostas

9

Não tente criar uma string executável. Em vez disso, construa os argumentos em uma matriz e use isso ao chamar tar (você já está usando uma matriz corretamente para EXCLUDE ):

#!/bin/bash

directory=/tmp

exclude=( "hello hello" "systemd*" "Temp*" )

# Now build the list of "--exclude" options from the exclude array:
for elem in "${exclude[@]}"; do
    exclude_opts+=( --exclude="$directory/$elem" )
done

# Run tar
tar -cz -f tmp.tar.gz "${exclude_opts[@]}" "$directory"

com /bin/sh :

#!/bin/sh

directory=/tmp

set -- "hello hello" "systemd*" "Temp*"

# Now build the list of "--exclude" options from the $@ array
# (overwriting the values in $@ while doing so)
for elem do
    set -- "$@" --exclude="$directory/$elem"
    shift
done

# Run tar
tar -cz -f tmp.tar.gz "$@" "$directory"

Observe as citações de $@ no código sh e de ambos os ${exclude[@]} e ${exclude_opts[@]} no código bash . Isso garante que as listas sejam expandidas para elementos citados individualmente.

Relacionados:

por 04.10.2018 / 16:13
2
mix(){
        p=$1; shift; q=$1; shift; c=
        i=1; for a; do c="$c $q \"\${$i}\""; i=$((i+1)); done
        eval "${p%\%*}$c${p#*\%}"
}
mix 'tar % -zcf tmp.tar.gz' --exclude "/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*"

EXCLUDE=("/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*")
mix 'tar % -zcf tmp.tar.gz' --exclude "${EXCLUDE[@]}"

Estendendo a resposta aqui . Isso não depende de nenhum bashismo, ele também funcionará bem com /bin/sh do debian e com busybox .

    
por 04.10.2018 / 15:56