如果您在Perl Benchmark模块的文档中阅读了有关cmpthese的内容,则说明cmpthesetimethese可以与文本或子例程引用中的代码一起使用。该文档似乎暗示这些形式是完全可以互换的:

# Use Perl code in strings...
timethese($count, {
'Name1' => '...code1...',
'Name2' => '...code2...',
});
# ... or use subroutine references.
timethese($count, {
'Name1' => sub { ...code1... },
'Name2' => sub { ...code2... },
});


我在使用字符串形式的传递参数与使用cmpthese的子例程引用形式时遇到困难。 @array中的值未传递,或者我遇到运行时错误。

我有以下代码:

#!/usr/bin/perl
use strict; use warnings;
use Benchmark qw(:all);

my @array = qw( first second third );

sub target {
    my $str =  $_[0];
    print "str=$str\n";
}

sub control {
    print "control: array[0]=$array[0]\n";
}

my $sub_ref=\⌖
my $control_ref=\&control;

print "\n\n\n";

# ERROR: array does not get passed...
cmpthese(1, {
    'target text' => 'target(@array)',
    'control 1' => 'control()',
});

# This is OK...
cmpthese(1, {
    'sub code ref' => sub { target(@array) },
    'control 2' => sub { control() },
});

# This is OK too...
cmpthese(1, {
    'target sub' => sub { $sub_ref->(@array) },
    'control 3' => sub { $control_ref->() },
});

# fixed paramenters work:
cmpthese(1, {
    'target text fixed' => 'target("one", "two", "three")',
    'control 4' => 'control()',
});

# Run time error...
cmpthese(1, {
    'text code ref' => '$sub_ref->(@array)',
    'control 5' => '$control_ref->()',
});


我使用eval可以正常使用所有表格,所以我认为这可能是Benchmark的问题?我已经用我所有的google foo尝试查找这两种形式之间的一些书面记载的区别,但我做不到。

有谁知道我上面的简单示例似乎未按预期工作的原因?代码中的注释指示我在OS X Perl 5.10.0上遇到的问题。

最佳答案

我没有对此进行过多的研究,但是我的猜测是,当Benchmark将字符串评估为代码时,词法变量@array不在范围内。如果将@array设置为our变量,则可能会起作用。

但是总的来说,我发现仅使用代码引用会更容易。

10-08 19:58