Perl has two contexts in which expressions can be evaluated: scalar, and list. These contexts actually determine what the expression generates. It is recommended that when an expression is evaluated in an unexpected context, that the context be made explicit. Implicit context switching makes programs difficult to read and more error prone.
This noncompliant code example tries to print out the elements of an array.
| 
sub print_array {
  my $array = shift;
  print "( ";
  foreach $item (@{$array}) {
    print "$item , ";
  }
  print ")\n";
}
my @array; # initialize
my $array_ref = @array;
print_array( $array_ref);
 | 
The developer mistakenly left out the }} indicator when initializing {{$array_ref. Consequently, it contains not a reference to the array, but rather the number of elements in the array. When passed to the print_array() subroutine, this program prints an empty array.
This compliant solution initializes $array_ref correctly.
| my $array_ref = \@array; print_array( $array_ref); | 
This noncompliant code example prints the number of elements in an array.
| my @array; # initialize my $cardinality = @array; print "The array has $cardinality elements\n"; | 
While this program works correctly, there are less ambiguous ways to obtain the number of elements of an array.
scalar())This compliant solution uses the scalar() builtin subroutine to obtain the number of elements of an array.
| my $cardinality = scalar( @array); print "The array has $cardinality elements\n"; | 
This compliant solution again evaluates @array in scalar context just like the noncompliant code example. However the scalar() makes this evaluation explicit, removing any doubt as to the programmer's intentions.
$#)This compliant solution uses the $# operator to obtain the number of elements of an array.
| my $cardinality = $#array + 1; print "The array has $cardinality elements\n"; | 
Evaluating an array or hash in improper contexts can lead to unexpected and surprising program behavior.
| Recommendation | Severity | Likelihood | Remediation Cost | Priority | Level | 
|---|---|---|---|---|---|
| EXP05-PL | low | unlikely | medium | P2 | L3 | 
| Tool | Diagnostic | 
|---|---|
| B::Lint | context | 
| \[[Beattie|AA. Bibliography#Beattie]\] \[[CPAN|AA. Bibliography#CPAN]\]. [Elliot Shank, Perl-Critic-1.116|http://search.cpan.org/~elliotjs/Perl-Critic-1.116/]. [ProhibitBooleanGrep|http://search.cpan.org/dist/Perl-Critic/lib/Perl/Critic/Policy/BuiltinFunctions/ProhibitBooleanGrep.pm]. \[[Conway 2005|AA. Bibliography#Conway 2005]\], pg 71 \[[Wall 2011|AA. Bibliography#Manpages]\] [perlfunc|http://perldoc.perl.org/perlfunc.html] | 
      02. Expressions      EXP30-PL. Do not use deprecated or obsolete functions