Como evitar erros de sintaxe em argumentos de linha de comando ausentes?

1

Como evitar erros de sintaxe em argumentos de linha de comando ausentes?

Exemplo de script de shell:

 var1=$1;
 var2=$2;
 echo $var1
 echo $var2
 var3='expr $var1 + $var2';
 echo $var3

Saída:

shell>sh shelltest 2 3
2
3
5

Saída:

    shell>sh shelltest
expr: syntax error

Como nenhum argumento é passado, como posso evitar isso e passar minha própria mensagem em vez de "expr: erro de sintaxe"?

    
por Ahn 13.07.2012 / 07:21

2 respostas

3

Você pode verificar o argumento ausente no shell script usando $# variable.

Por exemplo:

#!/bin/bash
#The following line will print no of argument provided to script
#echo $#
USAGE="$0 --arg1<arg1> --arg2<arg2>"

if [ "$#" -lt "4" ] 
then 
    echo -e $USAGE;    
else 
    var1=$2;
    var2=$4;
    echo 'expr $var1 + $var2';
fi
    
por 13.07.2012 / 07:47
4

Geralmente, uso a expansão do parâmetro "Indicar erro se nulo ou desabilitado" para garantir que os parâmetros sejam especificados. Por exemplo:

#!/bin/sh
var1="${1:?[Please specify the first number to add.]}"
var2="${2:?[Please specify the second number to add.]}"

O que então faz isso:

% ./test.sh
./test.sh: 2: ./test.sh: 1: [Please specify the first number to add.]
% ./test.sh 1
./test.sh: 3: ./test.sh: 2: [Please specify the second number to add.]

Na página de manual :

 ${parameter:?[word]}  Indicate Error if Null or Unset.  If parameter is
                       unset or null, the expansion of word (or a message
                       indicating it is unset if word is omitted) is
                       written to standard error and the shell exits with
                       a nonzero exit status.  Otherwise, the value of
                       parameter is substituted.  An interactive shell
                       need not exit.
    
por 13.07.2012 / 07:52