foo=42
echo "$FOO"
foo=42
echo "$foo"
Variables not used for anything are often associated with bugs, so ShellCheck warns about them.
Also note that something like local let foo=42
does not
make a let
statement local -- it instead declares an
additional local variable named let
.
This warning may be falsely emitted when a variable is only referenced indirectly, and for variables that are intentionally unused.
It's ShellCheck's intended behavior to emit this warning for any variable that is only referenced though indirection:
# foo generates a warning, even though it has five indirect references
foo=42
name=foo
echo "${!name} $((name))"
export "$name"; eval "echo $name"
declare -n name; echo "$name"
This is an intentional design decision and not a bug. If you have variables that will not have direct references, consider using an associative array in bash, or just Ignore the warning.
Tracking indirect references is a common problem for compilers and static analysis tool, and it is known to be unsolvable in the most general case. There are two ways to handle unresolved indirections (which in a realistic program will essentially be all of them):
Compilers are forced to do the former, but static analysis tools
generally do the latter. This includes pylint
,
jshint
and shellcheck
itself. This is a design
decision meant to make the tools more helpful at the expense of some
noise. For consistency and to avoid giving the impression that it should
work more generally, ShellCheck does not attempt to resolve even trivial
indirections.
For throwaway variables, consider using _
as a
dummy:
read _ last _ zip _ _ <<< "$str"
echo "$last, $zip"
Or optionally as a prefix for dummy variables (ShellCheck >0.7.2).
sh read _first last _email zip _lat _lng <<< "$str" echo "$last, $zip"
For versions <= 0.7.2, the message can optionally be ignored with a directive:
# shellcheck disable=SC2034 # Unused variables left for readability
read first last email zip lat lng <<< "$str"
echo "$last, $zip"
ShellCheck is a static analysis tool for shell scripts. This page is part of its documentation.