First, here's the simplest way to benchmark:
$start = (times)[0];
## your code goes here
$end = (times)[0];
printf "Elapsed time: %.2f seconds!\n", $end - $start;
This determines the elapsed user time needed to execute your code in
seconds. It is important to consider a few rules when benchmarking:
Try to benchmark only the relevant piece(s) of code.
Don't accept the first benchmark value. Benchmark the code
several times and take the average.
If you are comparing different benchmarks, make sure they are tested
under comparable conditions. For example, make sure that the load on
the machine doesn't differ between tests because another user
happened to be running a heavy job during one.
Second, we can use the Benchmark module. The Benchmark module
provides us with several functions that allow us to compare multiple
pieces of code and determine elapsed CPU time as well as elapsed
real-world time.
Here's the easiest way to use the module:
use Benchmark;
$start = new Benchmark;
## your code goes here
$end = new Benchmark;
$elapsed = timediff ($end, $start);
print "Elapsed time: ", timestr ($elapsed), "\n";
The result will look similar to the following:
Elapsed time: 4 wallclock secs (0.58 usr + 0.00 sys = 0.58 CPU)
You can also use the module to benchmark several pieces of code. For
example:
use Benchmark;
timethese (100, {
for => <<'end_for',
my $loop;
for ($loop=1; $loop <= 100000; $loop++) { 1 }
end_for
foreach => <<'end_foreach'
my $loop;
foreach $loop (1..100000) { 1 }
end_foreach
} );
Here, we are checking the for and
foreach loop constructs. As a side note, you
might be interested to know that, in cases where the loop iterator is
great, foreach is much less efficient than
for in versions of Perl older than 5.005.
The resulting output of timethese will look
something like this:
Benchmark: timing 100 iterations of for, foreach...
for: 49 wallclock secs (49.07 usr + 0.01 sys = 49.08 CPU)
foreach: 69 wallclock secs (68.79 usr + 0.00 sys = 68.79 CPU)
One thing to note here is that Benchmark uses the
time system call to perform the actual timing,
and therefore the granularity is still limited to one second. If you
want higher resolution timing, you can experiment with the
Time::HiRes module. Here's an example of how to use the module:
use Time::HiRes;
my $start = [ Time::HiRes::gettimeofday( ) ];
## Your code goes here
my $elapsed = Time::HiRes::tv_interval( $start );
print "Elapsed time: $elapsed seconds!\n";
The gettimeofday function returns the current
time in seconds and microseconds; we place these in a list, and store
a reference to this list in $start. Later, after
our code has run, we call tv_interval, which
takes $start and calculates the difference between
the original time and the current time. It returns a floating-point
number indicating the number of seconds elapsed.