problema da variável de ambiente no shell

1

Estou usando o Red Hat Enterprise Linux 5. Eu sei que a teoria - usando exportar para definir variável de ambiente, a variável de ambiente será aplicada ao ambiente atual e filho, mas sem usar export para definir a variável de ambiente, a variável de ambiente aplicam-se apenas ao ambiente atual.

Minha confusão é, qual é a definição exata de "ambiente infantil" e "ambiente atual"? Por exemplo,

$ var1=123
$ echo "Hello [$var1]"

o valor de var1 (que é 123) é impresso em shell, mas acho que echo é um comando invocado pelo shell atual, e ele (o comando echo) deve ser um ambiente filho do shell atual e o valor de var1 deve não (porque não usa exportação var1 = 123) impacta o eco. Algum comentário?

Obrigado antecipadamente!

    
por George2 22.05.2010 / 12:48

1 resposta

3

A variável é expandida no ambiente atual.

$ set -x    # turn on tracing
$ var1=123
+ var1=123
$ echo "Hello [$var1]"
+ echo 'Hello [123]'
Hello [123]
$ set +x

Como você pode ver no rastreamento (as linhas que começam com "+"), echo vê "Hello [123]". Nunca fica a variável.

Como você viu na resposta do gogiel ao seu outra questão, as variáveis de ambiente exportadas afetam o ambiente da criança:

$ echo $LANG
en_US.UTF-8
$ declare -p LANG   # the response includes "-x" which shows the variable is already marked for export
declare -x LANG="en_US.UTF-8"
$ ls --help | head -n 4
Usage: ls [OPTION]... [FILE]...
List information about the FILEs (the current directory by default).
Sort entries alphabetically if none of -cftuvSUX nor --sort.
$ LANG=es_MX.utf8 ls --help | head -n 4
Uso: ls [OPCIÓN]... [FICHERO]...
Muestra información acerca de los ARCHIVOS (del directorio actual por defecto).
Ordena las entradas alfabéticamente si no se especifica ninguna de las opciones -cftuSUX ni --sort.

Ou eu poderia ter definido o valor de LANG no ambiente atual e, como ele é exportado, seria herdado pelo ambiente filho:

$ LANG=es_MX.utf8
$ grep --help | head -n 4
Modo de empleo: grep [OPCIÓN]... PATRÓN [FICHERO]...
Busca un PATRÓN en algún ARCHIVO o entrada estándar.
PATTERN es, por omisión, una expresión regular básica (BRE).
Ejemplo: grep -i '¡Hola, mundo!' menu.h main.c
$ sed --help | head -n 4
Uso: sed [OPCIÓN]... {guión-sólo-si-no-hay-otro-guión} [fichero-entrada]...

  -n, --quiet, --silent
                 suprime la muestra automática del espacio de patrones
$ while [[ = 4 ]]    # create an error on purpose to show Spanish error message
bash: se esperaba un operador binario condicional
bash: error sintáctico cerca de '4'

Editar:

Aqui está um script simples (vamos chamá-lo de showvars ) para que você possa ver o que está acontecendo dentro e fora.

#!/bin/bash
arguments="$@"
printf "The script has started.\n"
printf "These are the parameters passed to the script: [$arguments]\n"
scriptvar=100
printf "This is the value of scriptvar: [$scriptvar]\n"
printf "This is the value of exportvar: [$exportvar]\n"
printf "This is the value of shellvar: [$shellvar]\n"
printf "This is the value of commandvar: [$commandvar]\n"
printf "The script has ended.\n"

Agora, fazemos estas etapas em um prompt de shell:

$ shellvar=200
$ export exportvar=300
$ ./showvars 400 $shellvar 500
The script has started.
These are the parameters passed to the script: [400 200 500]
This is the value of scriptvar: [100]
This is the value of exportvar: [300]
This is the value of shellvar: []
This is the value of commandvar: []
The script has ended.
$ commandvar=600 ./showvars 400 $shellvar 500
The script has started.
These are the parameters passed to the script: [400 200 500]
This is the value of scriptvar: [100]
This is the value of exportvar: [300]
This is the value of shellvar: []
This is the value of commandvar: [600]
The script has ended.
$ printf "This is the value of commandvar: [$commandvar]\n"
This is the value of commandvar: []
$ commandvar=600
$ ./showvars 400 $shellvar 500
The script has started.
These are the parameters passed to the script: [400 200 500]
This is the value of scriptvar: [100]
This is the value of exportvar: [300]
This is the value of shellvar: []
This is the value of commandvar: []
The script has ended.
$ printf "This is the value of scriptvar: [$scriptvar]\n"
This is the value of scriptvar: []
$ printf "This is the value of exportvar: [$exportvar]\n"
This is the value of exportvar: [300]
$ printf "This is the value of shellvar: [$shellvar]\n"
This is the value of shellvar: [200]
$ printf "This is the value of commandvar: [$commandvar]\n"
This is the value of commandvar: [600]

Como você pode ver, shellvar não está disponível dentro do script e scriptvar não está disponível fora dele. Como exportvar é exportado, ele está disponível dentro e fora do script. E commandvar só está disponível dentro do script quando é passado na linha de comando ao chamar o script. Se for definido no ambiente interativo e, em seguida, o script for chamado, ele estará disponível apenas no ambiente interativo.

    
por 22.05.2010 / 14:23