我不太明白你在尝试什么,但你总是可以让你的潜艇可插拔:
我们有一个 sub process_file
。它需要一个子程序作为参数来进行主要处理:
our $counter;
sub process_file {
my ($subroutine, @args) = @_;
local $counter = get_counter();
my @return_value = $subroutine->(@args);
set_counter($counter);
return @return_value;
}
# Here are other sub definitions for the main processing
# They can see $counter and always magically have the right value.
# If they assign to it, the counter file will be updated afterwards.
假设我们有一个 sub process_type_A
,我们可以这样做
my @return_values = process_file(\&process_type_A, $arg1, $arg2, $arg3);
process_type_A($arg1, $arg2, $arg3)
除了额外的调用堆栈框架和$counter
设置外,它的行为就像。
如果您更喜欢传递名称而不是 coderefs,我们也可以安排。
package MitchelWB::FileParsingLib;
our $counter;
our %file_type_processing_hash = (
"typeA" => \&process_type_A,
"typeB" => \&process_type_B,
"countLines" => sub { # anonymous sub
open my $fh, '<', "./dir/$counter.txt" or die "cant open $counter file";
my $lines = 0;
$lines++ while <$fh>;
return $lines;
},
);
sub process_file {
my ($filetype, @args) = @_;
local $counter = get_counter();
# fetch appropriate subroutine:
my $subroutine = $file_type_processing_hash{$filetype};
die "$filetype is not registered" if not defined $subroutine; # check for existence
die "$filetype is not assigned to a sub" if ref $subroutine ne 'CODE'; # check that we have a sub
# execute
my @return_value = $subroutine->(@args);
set_counter($counter);
return @return_value;
}
...;
my $num_of_lines = process_file('countLines');
编辑:最优雅的解决方案
或者:属性真的很整洁
为什么愚蠢的回调?为什么要额外的代码?为什么要调用约定?为什么调度表?虽然它们都非常有趣和灵活,但还有一个更优雅的解决方案。我刚刚忘记了一点点信息,但现在它已经全部到位。Perl 具有“属性”,在其他语言中称为“注释”,它允许我们对代码或变量进行注释。
定义一个新的 Perl 属性很容易。我们use Attribute::Handlers
并定义一个与您要使用的属性同名的子:
sub file_processor :ATTR(CODE) {
my (undef, $glob, $subroutine) = @_;
no strict 'refs';
${$glob} = sub {
local $counter = get_counter();
my @return_value = $subroutine->(@_);
set_counter($counter);
return @return_value;
}
我们使用属性:ATTR(CODE)
来表示这是适用于子程序的属性。我们只需要两个参数,我们要注释的子程序的全名,以及子程序的代码引用。
然后我们关闭部分严格性以重新定义 sub ${$glob}
。这有点高级,但它本质上只是访问内部符号表。
我们用上面给出的简化版本替换带注释的 sub process_file
。我们可以直接传递所有参数 ( @_
) 而无需进一步处理。
毕竟,我们向您之前使用的潜艇添加了一小部分信息:
sub process_type_A :file_processor {
print "I can haz $counter\n";
}
…它只是在没有进一步修改的情况下进行替换。使用库时这些更改是不可见的。我知道这种方法的限制,但你在编写普通代码时不太可能遇到它们。