Bash
Kiedy stosować eval
Szukaj…
Wprowadzenie
Przede wszystkim: wiedz, co robisz! Po drugie, chociaż powinieneś unikać używania eval
, jeśli jego użycie powoduje, że kod jest czystszy, śmiało.
Korzystanie z Eval
Rozważmy na przykład następujące elementy, które ustawiają zawartość $@
na zawartość danej zmiennej:
a=(1 2 3)
eval set -- "${a[@]}"
Ten kod często towarzyszy getopt
lub getopts
aby ustawić $@
na wyjściu wyżej wymienionych parserów opcji, jednak można go również użyć do stworzenia prostej funkcji pop
która może działać na zmiennych cicho i bezpośrednio, bez konieczności przechowywania wyniku oryginalna zmienna:
isnum()
{
# is argument an integer?
local re='^[0-9]+$'
if [[ -n $1 ]]; then
[[ $1 =~ $re ]] && return 0
return 1
else
return 2
fi
}
isvar()
{
if isnum "$1"; then
return 1
fi
local arr="$(eval eval -- echo -n "\$$1")"
if [[ -n ${arr[@]} ]]; then
return 0
fi
return 1
}
pop()
{
if [[ -z $@ ]]; then
return 1
fi
local var=
local isvar=0
local arr=()
if isvar "$1"; then # let's check to see if this is a variable or just a bare array
var="$1"
isvar=1
arr=($(eval eval -- echo -n "\${$1[@]}")) # if it is a var, get its contents
else
arr=($@)
fi
# we need to reverse the contents of $@ so that we can shift
# the last element into nothingness
arr=($(awk <<<"${arr[@]}" '{ for (i=NF; i>1; --i) printf("%s ",$i); print $1; }'
# set $@ to ${arr[@]} so that we can run shift against it.
eval set -- "${arr[@]}"
shift # remove the last element
# put the array back to its original order
arr=($(awk <<<"$@" '{ for (i=NF; i>1; --i) printf("%s ",$i); print $1; }'
# echo the contents for the benefit of users and for bare arrays
echo "${arr[@]}"
if ((isvar)); then
# set the contents of the original var to the new modified array
eval -- "$var=(${arr[@]})"
fi
}
Używanie Eval z Getopt
Chociaż eval może nie być potrzebny dla funkcji typu pop
, jest jednak wymagany przy każdym użyciu getopt
:
Rozważ następującą funkcję, która akceptuje opcję -h
jako opcję:
f()
{
local __me__="${FUNCNAME[0]}"
local argv="$(getopt -o 'h' -n $__me__ -- "$@")"
eval set -- "$argv"
while :; do
case "$1" in
-h)
echo "LOLOLOLOL"
return 0
;;
--)
shift
break
;;
done
echo "$@"
}
Bez set -- "$argv"
eval
set -- "$argv"
generuje -h --
zamiast pożądanego (-h --)
a następnie wchodzi w nieskończoną pętlę, ponieważ -h --
nie pasuje --
lub -h
.