Perl-Style Accessors Considered Harmful

(a quick break-out page from the 'Accessors' section of CodingStyle).

We don't use traditional perl-style variable accessor methods very frequently (ie.

  sub foo {
    my ($self, $val) = @_;
    if (defined $val) {
      $self->{foo} = $val; 
    } else {
      return $val;
    }
  }

Instead, the more wordy Java/C++ style is preferred:

  sub get_foo {
    my ($self) = @_;
    return $val;
  }
  sub set_foo {
    my ($self, $val) = @_;
    $self->{foo} = $val;
  }

The perl style is considered a bad idea, because it can become a no-op, if the value being passed in is 'undef'. Here's how:

In other words, it's impossible to use a perl-style accessor to set a value to 'undef', and it's easy to accidentally perform a no-op instead of a set. This has bitten us in the past.

In the Java-style accessor, the source code itself mandates whether the operation is a set or a get; the data cannot affect which operation happens. Hence, it's safer.