*one::var = \%two::Table; # make %one::var alias for %two::Table
*one::big = \&two::small; # make &one::big alias for &two::small
A typeglob is one of those things you can only use
local on, not my. If you do use
local, the aliasing effect is then limited to the
duration of the current block.
local *fred = \&barney; # temporarily alias &fred to &barney
If the value assigned to a typeglob is not a reference but itself
another typeglob, then all types by that name
are aliased. The types aliased in a full typeglob assignment are
scalar, array, hash, function, filehandle, directory handle, and
format. That means that assigning *Top
= *Bottom would make the
current package variable $Top an alias for
$Bottom, @Top for
@Bottom, %Top for
%Bottom, and &Top for
&Bottom. It would even alias the corresponding
file and directory handles and formats! You probably don't want to do
this.
Use assignments to typeglobs together with closures to clone a bunch
of similar functions cheaply and easily. Imagine you wanted a
function for HTML generation to help with colors. For example:
$string = red("careful here");
print $string;
<FONT COLOR='red'>careful here</FONT>
You could write the red function this way:
sub red { "<FONT COLOR='red'>@_</FONT>" }
If you need more colors, you could do something like this:
sub color_font {
my $color = shift;
return "<FONT COLOR='$color'>@_</FONT>";
}
sub red { color_font("red", @_) }
sub green { color_font("green", @_) }
sub blue { color_font("blue", @_) }
sub purple { color_font("purple", @_) }
# etc
The similar nature of these functions suggests that there may be a
way to factor out the common bit. To do this, use an assignment to an
indirect typeglob. If you're running with the highly recommended
use strict pragma, you must
first disable strict "refs" for
that block.
@colors = qw(red blue green yellow orange purple violet);
for my $name (@colors) {
no strict 'refs';
*$name = sub { "<FONT COLOR='$name'>@_</FONT>" };
}
These functions all seem independent, but the real code was compiled
only once. This technique saves on compile time and memory use. To
create a proper closure, any variables in the anonymous subroutine
must be lexicals. That's the reason for the
my on the loop iteration variable.
This is one of the few places where giving a prototype to a closure
is sensible. If you wanted to impose scalar context on the arguments
of these functions (probably not a wise idea), you could have written
it this way instead:
*$name = sub ($) { "<FONT COLOR='$name'>$_[0]</FONT>" };
However, since prototype checking happens at compile time, the
preceding assignment happens too late to be useful. So, put the whole
loop of assignments within a BEGIN block, forcing it to occur during
compilation. You really want to use a BEGIN here, not an INIT,
because you're doing something that you want the compiler itself to
notice right away, not something for the interpreter to do just
before your program runs.