⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 benchmark.pm

📁 视频监控网络部分的协议ddns,的模块的实现代码,请大家大胆指正.
💻 PM
📖 第 1 页 / 共 2 页
字号:
package Benchmark;use strict;=head1 NAMEBenchmark - benchmark running times of Perl code=head1 SYNOPSIS    use Benchmark qw(:all) ;    timethis ($count, "code");    # Use Perl code in strings...    timethese($count, {	'Name1' => '...code1...',	'Name2' => '...code2...',    });    # ... or use subroutine references.    timethese($count, {	'Name1' => sub { ...code1... },	'Name2' => sub { ...code2... },    });    # cmpthese can be used both ways as well    cmpthese($count, {	'Name1' => '...code1...',	'Name2' => '...code2...',    });    cmpthese($count, {	'Name1' => sub { ...code1... },	'Name2' => sub { ...code2... },    });    # ...or in two stages    $results = timethese($count,         {	    'Name1' => sub { ...code1... },	    'Name2' => sub { ...code2... },        },	'none'    );    cmpthese( $results ) ;    $t = timeit($count, '...other code...')    print "$count loops of other code took:",timestr($t),"\n";    $t = countit($time, '...other code...')    $count = $t->iters ;    print "$count loops of other code took:",timestr($t),"\n";    # enable hires wallclock timing if possible    use Benchmark ':hireswallclock';=head1 DESCRIPTIONThe Benchmark module encapsulates a number of routines to help youfigure out how long it takes to execute some code.timethis - run a chunk of code several timestimethese - run several chunks of code several timescmpthese - print results of timethese as a comparison charttimeit - run a chunk of code and see how long it goescountit - see how many times a chunk of code runs in a given time=head2 Methods=over 10=item newReturns the current time.   Example:    use Benchmark;    $t0 = new Benchmark;    # ... your code here ...    $t1 = new Benchmark;    $td = timediff($t1, $t0);    print "the code took:",timestr($td),"\n";=item debugEnables or disable debugging by setting the C<$Benchmark::Debug> flag:    debug Benchmark 1;    $t = timeit(10, ' 5 ** $Global ');    debug Benchmark 0;=item itersReturns the number of iterations.=back=head2 Standard ExportsThe following routines will be exported into your namespaceif you use the Benchmark module:=over 10=item timeit(COUNT, CODE)Arguments: COUNT is the number of times to run the loop, and CODE isthe code to run.  CODE may be either a code reference or a string tobe eval'd; either way it will be run in the caller's package.Returns: a Benchmark object.=item timethis ( COUNT, CODE, [ TITLE, [ STYLE ]] )Time COUNT iterations of CODE. CODE may be a string to eval or acode reference; either way the CODE will run in the caller's package.Results will be printed to STDOUT as TITLE followed by the times.TITLE defaults to "timethis COUNT" if none is provided. STYLEdetermines the format of the output, as described for timestr() below.The COUNT can be zero or negative: this means the I<minimum number ofCPU seconds> to run.  A zero signifies the default of 3 seconds.  Forexample to run at least for 10 seconds:	timethis(-10, $code)or to run two pieces of code tests for at least 3 seconds:	timethese(0, { test1 => '...', test2 => '...'})CPU seconds is, in UNIX terms, the user time plus the system time ofthe process itself, as opposed to the real (wallclock) time and thetime spent by the child processes.  Less than 0.1 seconds is notaccepted (-0.01 as the count, for example, will cause a fatal runtimeexception).Note that the CPU seconds is the B<minimum> time: CPU scheduling andother operating system factors may complicate the attempt so that alittle bit more time is spent.  The benchmark output will, however,also tell the number of C<$code> runs/second, which should be a moreinteresting number than the actually spent seconds.Returns a Benchmark object.=item timethese ( COUNT, CODEHASHREF, [ STYLE ] )The CODEHASHREF is a reference to a hash containing names as keysand either a string to eval or a code reference for each value.For each (KEY, VALUE) pair in the CODEHASHREF, this routine willcall	timethis(COUNT, VALUE, KEY, STYLE)The routines are called in string comparison order of KEY.The COUNT can be zero or negative, see timethis().Returns a hash reference of Benchmark objects, keyed by name.=item timediff ( T1, T2 )Returns the difference between two Benchmark times as a Benchmarkobject suitable for passing to timestr().=item timestr ( TIMEDIFF, [ STYLE, [ FORMAT ] ] )Returns a string that formats the times in the TIMEDIFF object inthe requested STYLE. TIMEDIFF is expected to be a Benchmark objectsimilar to that returned by timediff().STYLE can be any of 'all', 'none', 'noc', 'nop' or 'auto'. 'all' showseach of the 5 times available ('wallclock' time, user time, system time,user time of children, and system time of children). 'noc' shows allexcept the two children times. 'nop' shows only wallclock and thetwo children times. 'auto' (the default) will act as 'all' unlessthe children times are both zero, in which case it acts as 'noc'.'none' prevents output.FORMAT is the L<printf(3)>-style format specifier (without theleading '%') to use to print the times. It defaults to '5.2f'.=back=head2 Optional ExportsThe following routines will be exported into your namespaceif you specifically ask that they be imported:=over 10=item clearcache ( COUNT )Clear the cached time for COUNT rounds of the null loop.=item clearallcache ( )Clear all cached times.=item cmpthese ( COUNT, CODEHASHREF, [ STYLE ] )=item cmpthese ( RESULTSHASHREF, [ STYLE ] )Optionally calls timethese(), then outputs comparison chart.  This:    cmpthese( -1, { a => "++\$i", b => "\$i *= 2" } ) ;outputs a chart like:           Rate    b    a    b 2831802/s   -- -61%    a 7208959/s 155%   --This chart is sorted from slowest to fastest, and shows the percent speeddifference between each pair of tests.c<cmpthese> can also be passed the data structure that timethese() returns:    $results = timethese( -1, { a => "++\$i", b => "\$i *= 2" } ) ;    cmpthese( $results );in case you want to see both sets of results.If the first argument is an unblessed hash reference,that is RESULTSHASHREF; otherwise that is COUNT.Returns a reference to an ARRAY of rows, each row is an ARRAY of cells from theabove chart, including labels. This:    my $rows = cmpthese( -1, { a => '++$i', b => '$i *= 2' }, "none" );returns a data structure like:    [        [ '',       'Rate',   'b',    'a' ],        [ 'b', '2885232/s',  '--', '-59%' ],        [ 'a', '7099126/s', '146%',  '--' ],    ]B<NOTE>: This result value differs from previous versions, which returnedthe C<timethese()> result structure.  If you want that, just use the twostatement C<timethese>...C<cmpthese> idiom shown above.Incidently, note the variance in the result values between the two examples;this is typical of benchmarking.  If this were a real benchmark, you wouldprobably want to run a lot more iterations.=item countit(TIME, CODE)Arguments: TIME is the minimum length of time to run CODE for, and CODE isthe code to run.  CODE may be either a code reference or a string tobe eval'd; either way it will be run in the caller's package.TIME is I<not> negative.  countit() will run the loop many times tocalculate the speed of CODE before running it for TIME.  The actualtime run for will usually be greater than TIME due to system clockresolution, so it's best to look at the number of iterations dividedby the times that you are concerned with, not just the iterations.Returns: a Benchmark object.=item disablecache ( )Disable caching of timings for the null loop. This will force Benchmarkto recalculate these timings for each new piece of code timed.=item enablecache ( )Enable caching of timings for the null loop. The time taken for COUNTrounds of the null loop will be calculated only once for eachdifferent COUNT used.=item timesum ( T1, T2 )Returns the sum of two Benchmark times as a Benchmark object suitablefor passing to timestr().=back=head2 :hireswallclockIf the Time::HiRes module has been installed, you can specify thespecial tag C<:hireswallclock> for Benchmark (if Time::HiRes is notavailable, the tag will be silently ignored).  This tag will cause thewallclock time to be measured in microseconds, instead of integerseconds.  Note though that the speed computations are still conductedin CPU time, not wallclock time.=head1 NOTESThe data is stored as a list of values from the time and timesfunctions:      ($real, $user, $system, $children_user, $children_system, $iters)in seconds for the whole loop (not divided by the number of rounds).The timing is done using time(3) and times(3).Code is executed in the caller's package.The time of the null loop (a loop with the samenumber of rounds but empty loop body) is subtractedfrom the time of the real loop.The null loop times can be cached, the key being thenumber of rounds. The caching can be controlled usingcalls like these:    clearcache($key);    clearallcache();    disablecache();    enablecache();Caching is off by default, as it can (usually slightly) decreaseaccuracy and does not usually noticably affect runtimes.=head1 EXAMPLESFor example,    use Benchmark qw( cmpthese ) ;    $x = 3;    cmpthese( -5, {        a => sub{$x*$x},        b => sub{$x**2},    } );outputs something like this:   Benchmark: running a, b, each for at least 5 CPU seconds...          Rate    b    a   b 1559428/s   -- -62%   a 4152037/s 166%   --while     use Benchmark qw( timethese cmpthese ) ;    $x = 3;    $r = timethese( -5, {        a => sub{$x*$x},        b => sub{$x**2},    } );    cmpthese $r;outputs something like this:    Benchmark: running a, b, each for at least 5 CPU seconds...             a: 10 wallclock secs ( 5.14 usr +  0.13 sys =  5.27 CPU) @ 3835055.60/s (n=20210743)             b:  5 wallclock secs ( 5.41 usr +  0.00 sys =  5.41 CPU) @ 1574944.92/s (n=8520452)           Rate    b    a    b 1574945/s   -- -59%    a 3835056/s 144%   --=head1 INHERITANCEBenchmark inherits from no other class, except of coursefor Exporter.=head1 CAVEATSComparing eval'd strings with code references will give youinaccurate results: a code reference will show a slightly slowerexecution time than the equivalent eval'd string.The real time timing is done using time(2) andthe granularity is therefore only one second.Short tests may produce negative figures because perlcan appear to take longer to execute the empty loopthan a short test; try:    timethis(100,'1');The system time of the null loop might be slightlymore than the system time of the loop with the actualcode and therefore the difference might end up being E<lt> 0.=head1 SEE ALSOL<Devel::DProf> - a Perl code profiler=head1 AUTHORSJarkko Hietaniemi <F<jhi@iki.fi>>, Tim Bunce <F<Tim.Bunce@ig.co.uk>>=head1 MODIFICATION HISTORYSeptember 8th, 1994; by Tim Bunce.March 28th, 1997; by Hugo van der Sanden: added support for codereferences and the already documented 'debug' method; revampeddocumentation.April 04-07th, 1997: by Jarkko Hietaniemi, added the run-for-some-timefunctionality.September, 1999; by Barrie Slaymaker: math fixes and accuracy and efficiency tweaks.  Added cmpthese().  A result is now returned from timethese().  Exposed countit() (was runfor()).December, 2001; by Nicholas Clark: make timestr() recognise the style 'none'and return an empty string. If cmpthese is calling timethese, make it pass thestyle in. (so that 'none' will suppress output). Make sub new dump itsdebugging output to STDERR, to be consistent with everything else.All bugs found while writing a regression test.September, 2002; by Jarkko Hietaniemi: add ':hireswallclock' special tag.February, 2004; by Chia-liang Kao: make cmpthese and timestr use timestatistics for children instead of parent when the style is 'nop'.November, 2007; by Christophe Grosjean: make cmpthese and timestr computetime consistently with style argument, default is 'all' not 'noc' any more.=cut# evaluate something in a clean lexical environmentsub _doeval { no strict;  eval shift }## put any lexicals at file scope AFTER here#use Carp;use Exporter;our(@ISA, @EXPORT, @EXPORT_OK, %EXPORT_TAGS, $VERSION);@ISA=qw(Exporter);@EXPORT=qw(timeit timethis timethese timediff timestr);@EXPORT_OK=qw(timesum cmpthese countit	      clearcache clearallcache disablecache enablecache);%EXPORT_TAGS=( all => [ @EXPORT, @EXPORT_OK ] ) ;$VERSION = 1.10;# --- ':hireswallclock' special handlingmy $hirestime;sub mytime () { time }init();sub BEGIN {    if (eval 'require Time::HiRes') {	import Time::HiRes qw(time);	$hirestime = \&Time::HiRes::time;    }}sub import {    my $class = shift;    if (grep { $_ eq ":hireswallclock" } @_) {	@_ = grep { $_ ne ":hireswallclock" } @_;	local $^W=0;	*mytime = $hirestime if defined $hirestime;    }    Benchmark->export_to_level(1, $class, @_);}our($Debug, $Min_Count, $Min_CPU, $Default_Format, $Default_Style,    %_Usage, %Cache, $Do_Cache);sub init {    $Debug = 0;    $Min_Count = 4;    $Min_CPU   = 0.4;    $Default_Format = '5.2f';    $Default_Style = 'auto';    # The cache can cause a slight loss of sys time accuracy. If a    # user does many tests (>10) with *very* large counts (>10000)    # or works on a very slow machine the cache may be useful.    disablecache();    clearallcache();}sub debug { $Debug = ($_[1] != 0); }sub usage {     my $calling_sub = (caller(1))[3];    $calling_sub =~ s/^Benchmark:://;    return $_Usage{$calling_sub} || '';}# The cache needs two branches: 's' for strings and 'c' for code.  The# empty loop is different in these two cases.$_Usage{clearcache} = <<'USAGE';usage: clearcache($count);USAGEsub clearcache    {     die usage unless @_ == 1;    delete $Cache{"$_[0]c"}; delete $Cache{"$_[0]s"}; }$_Usage{clearallcache} = <<'USAGE';usage: clearallcache();USAGEsub clearallcache {     die usage if @_;    %Cache = (); }$_Usage{enablecache} = <<'USAGE';usage: enablecache();USAGEsub enablecache   {    die usage if @_;    $Do_Cache = 1; }

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -