http://www.perlmonks.org?node_id=628757


When 100% Code Coverage Backfires
PBP's .perltidyrc file, was Re: Perl Best Practices
last hour of cb

Title: How do I skip the first $n lines of a file efficiently?

Question: Suppose I want to read a file but I'm not interested in the first $n lines. What's the best way of skipping these first $n lines? Answer: To accomplish this task, one often sees code like this:

my $line_id = 0; LINE: while (my $line = <$IN>) { $line_id++; next LINE if $line_id < $n; # now parse the interesting part of the file ... }
The problem with this approach is that the test is performed on every single line of the file. Which is not necessary as we can do the skipping before the main while loop. The probably shortest and most efficient way to do that is:
{ local $. = 0; do {} while ($. < $n && <$IN>); } while (my $line = <$IN>) { ... }
$. is the line counter of the current file handle. See perlvar.