Call object methods without an object reference

Perl’s flexible syntax accepts all kinds of shenanigans and hackery. This article describes one such trick to call object methods without including the referent object (sort of).

Preamble

Imagine we have a class call Boomerang with a single method, throw. The code looks like this:

package Boomerang;
use strict;
use warnings;
use feature qw/say/;

sub new {
    my $class = shift;
    return bless {}, $class;
}

sub throw {
    my ($self, $url) = @_;
    say 'I flew ' . int(rand(500)) . ' feet!';
    return $self;
}

1;

To use the Boomerang class and throw method, we have a script called throw.pl:

use Boomerang;
use strict;
use warnings;

my $stick = Boomerang->new;
$stick->throw;
$stick->throw; 
$stick->throw;

The code in throw.pl shown above creates a new Boomerang object called $stick. It then calls the throw method on $stick three times. All throw does is print a statement declaring how many feet (a random integer) the Boomerang was thrown. Running throw.pl gives us this output:

perl throw.pl
I flew 230 feet!
I flew 17 feet!
I flew 31 feet!

Removing the object reference (sort of)

Let’s update throw.pl to remove the object reference altogether:

use Boomerang;
use strict;
use warnings;

Boomerang->new
    ->throw
    ->throw
    ->throw;

Running throw.pl gives the same output as previously:

perl throw.pl
I flew 36 feet!
I flew 25 feet!
I flew 372 feet!

So why does this code work? It works because of several conditions:

  • Boomerang’s new and throw methods return the object $self - just like a Boomerang :).
  • Perl allows multi-line statements.
  • Perl’s precedence runs from left to right on method calls.

If you’re still not clear why this code works, consider that another way to write the same code in throw.pl would be like this:

use Boomerang;
use strict;
use warnings;

Boomerang->new->throw->throw->throw;

What is this good for?

Admittedly this style of writing method calls can lead to reduced readability and will only work on method calls that return $self. However one use of this technique was shown by Eric Johnson at YAPC::EU 2012. He developed a Selenium test class which allowed non-Perl programmers to write test cases using this method. His talk is on youtube.


This article was originally posted on PerlTricks.com.

Tags

David Farrell

David is a professional programmer who regularly tweets and blogs about code and the art of programming.

Browse their articles

Feedback

Something wrong with this article? Help us out by opening an issue or pull request on GitHub