To sum up all that has been said, especially the warning re avoiding symrefs if possible, and here it is not only possible but also highly recommendable, so I'm stressing the point once more:
#!/usr/bin/perl -l
use strict;
use warnings;
my %dispatch=(
test1 => sub {
print 'test1';
},
test2 => sub {
print 'test2';
} );
for(1,2) {
$dispatch{"test$_"}->();
}
__END__
Notice that I also used -> rather than & for dereferencing, which is preferrable for various reasons, and a (more) perlish for loop, which could have also been a modifier:
$dispatch{"test$_"}->() for 1,2;
But then, if you just need a few numbered subs, depending on your actual application, you may prefer an array instead:
#!/usr/bin/perl -l
use strict;
use warnings;
my @test=( sub { print 'test0' }, sub { print 'test1' } );
$test[$_]->() for 0,1;
# or even
$_->() for @test;
__END__
| [reply] [d/l] [select] |