Nome do pacote inválido devido a desreferência do array Bash [duplicado]

0

Estou tentando criar o Emacs a partir de fontes. Quando as opções de configuração foram listadas sem um array Emacs configurado corretamente. Quando adicionei um array Bash para adicionar opções opcionais, ele quebrou o configure. Aqui está a matriz quebrada:

BUILD_OPTS=('--with-xml2' '--without-x' '--without-sound' '--without-xpm'
    '--without-jpeg' '--without-tiff' '--without-gif' '--without-png'
    '--without-rsvg' '--without-imagemagick' '--without-xft' '--without-libotf'
    '--without-m17n-flt' '--without-xaw3d' '--without-toolkit-scroll-bars' 
    '--without-gpm' '--without-dbus' '--without-gconf' '--without-gsettings'
    '--without-makeinfo' '--without-compress-install')

if [[ ! -e "/usr/include/selinux/context.h" ]] &&
   [[ ! -e "/usr/local/include/selinux/context.h" ]]; then
    BUILD_OPTS+=('--without-selinux')
fi

    PKG_CONFIG_PATH="${BUILD_PKGCONFIG[*]}" \
    CPPFLAGS="${BUILD_CPPFLAGS[*]}" \
    CFLAGS="${BUILD_CFLAGS[*]}" CXXFLAGS="${BUILD_CXXFLAGS[*]}" \
    LDFLAGS="${BUILD_LDFLAGS[*]}" LIBS="${BUILD_LIBS[*]}" \
./configure --prefix="$INSTALL_PREFIX" --libdir="$INSTALL_LIBDIR" \
    "${BUILD_OPTS[*]}"

Ao configurar com o array, resulta em:

configure: error: invlaid package name: xml2 --without-x --without-sound --without-xpm --without-jpeg --without-tiff --without-gif ...

Eu já passei por 10.2. Variáveis de matriz , mas não vejo o que estou fazendo errado. Mudando para aspas duplas e sem citação não ajudou.

Qual é o problema e como corrigi-lo?

    
por jww 04.01.2018 / 02:58

2 respostas

3

De man bash :

   Any element of an array may  be  referenced  using  ${name[subscript]}.
   The braces are required to avoid conflicts with pathname expansion.  If
   subscript is @ or *, the word expands to all members  of  name.   These
   subscripts  differ only when the word appears within double quotes.  If
   the word is double-quoted, ${name[*]} expands to a single word with the
   value  of each array member separated by the first character of the IFS
   special variable, and ${name[@]} expands each element of name to a sep‐
   arate  word.

TL / DR: use "${BUILD_PKGCONFIG[@]}" no lugar de "${BUILD_PKGCONFIG[*]}"

Para ilustrar:

$ arr=('foo' 'bar baz')
$ printf '%s\n' "${arr[*]}"
foo bar baz
$ 
$ printf '%s\n' "${arr[@]}"
foo
bar baz
    
por 04.01.2018 / 03:02
2

Você está expandindo todos os elementos de suas matrizes, concatenados com espaços intermediários, como um argumento ÚNICO.

Use "${arrayname[@]}" em vez de "${arrayname[*]}" e você deve obter o resultado esperado.

Veja LESS='+/^[[:space:]]*Arrays' man bash para ler mais.

    
por 04.01.2018 / 03:02