150

How do you check if $* is empty? In other words, how to check if there were no arguments provided to a command?

well actually
  • 3,225
  • 5
  • 22
  • 11

3 Answers3

215

To check if there were no arguments provided to the command, check value of $# variable then,

if [ $# -eq 0 ]; then
    >&2 echo "No arguments provided"
    exit 1
fi

If you want to use $*(not preferable) then,

if [ "$*" == "" ]; then
    >&2 echo "No arguments provided"
    exit 1
fi

Some explanation:

The second approach is not preferable because in positional parameter expansion * expands to the positional parameters, starting from one. When the expansion occurs within double quotes, it expands to a single word with the value of each parameter separated by the first character of the IFS special variable. That means a string is constructed. So there is extra overhead.

On the other hand # expands to the number of positional parameters.

Example:

$ command param1 param2

Here,

Value of $# is 2 and value of $* is string "param1 param2" (without quotes), if IFS is unset. Because if IFS is unset, the parameters are separated by spaces

For more details man bash and read topic named Special Parameters

Stephen Kitt
  • 434,908
30

If you're only interested in bailing if a particular argument is missing, Parameter Substitution is great:

#!/bin/bash
# usage-message.sh

: ${1?"Usage: $0 ARGUMENT"}
#  Script exits here if command-line parameter absent,
#+ with following error message.
#    usage-message.sh: 1: Usage: usage-message.sh ARGUMENT
Pat
  • 849
  • 1
    what is the name of this technique using the ? in the bracket expansion ${} ? I cannot wrap myn head around the meaning and behaviour of it. I suppose ? applies to th 1 in $1 ; but I'm left clueless, I'd gladly dig deeper this technique/syntax. – Stephane Rolland May 05 '21 at 13:41
  • 1
    aka parameter expansion: https://www.gnu.org/software/bash/manual/html_node/Shell-Parameter-Expansion.html – jgreve Aug 09 '21 at 20:44
  • How about an optional parameter? – CivFan Sep 16 '22 at 19:39
-3

this is one of the ways you can know that you havent got any arguments

NO_ARGS=0
if [ $# -eq "$NO_ARGS" ]; then
    {do something}
fi