Section 16.2. Picking Items from a List with grep


16.2. Picking Items from a List with grep

Sometimes you'll only want certain items from a list. Maybe it's the odd numbers selected from a list of numbers, or the lines mentioning Fred from a file of text. As you'll see in this section, picking some items from a list can be done with the grep operator.

Let's try that first one and get the odd numbers from a large list of numbers. We don't need anything new to do that:

     my @odd_numbers;     foreach (1..1000) {       push @odd_numbers, $_ if $_ % 2;     } 

That code uses the modulus operator (%), which you saw in Chapter 2. If a number is even, that number "mod two" gives zero, which is false. But an odd number will give one; since that's true, only the odd numbers will be pushed onto the array.

The code is all right as it stands except that it's a little longer to write and slower to run than it might be since Perl provides the grep operator:

     my @odd_numbers = grep { $_ % 2 } 1..1000; 

That line gets a list of 500 odd numbers in one quick line of code. How does it work? The first argument to grep is a block that uses $_ as a placeholder for each item in the list, and returns a Boolean (true/false) value. The remaining arguments are the list of items to search through. The grep operator will evaluate the expression once for each item in the list as our original foreach loop did. For the ones where the last expression of the block returns a true value, that element is included in the list that results from grep.

While the grep is running, $_ is aliased to one element of the list after another. You've seen this behavior before in the foreach loop. It's generally a bad idea to modify $_ inside the grep expression because this will damage the original data.

The grep operator shares its name with a classic Unix utility that picks matching lines from a file by using regular expressions. We can do that with Perl's grep, which is more powerful. Here we pull only the lines mentioning fred from a file:

     my @matching_lines = grep { /\bfred\b/i } <FILE>; 

There's a simpler syntax for grep, too. If all you need for the selector is a simple expression (rather than a whole block), you can use that expression, followed by a comma, in place of the block. Here's the simpler way to write that latest example:

     my @matching_lines = grep /\bfred\b/i, <FILE>; 



Learning Perl
Learning Perl, 5th Edition
ISBN: 0596520107
EAN: 2147483647
Year: 2003
Pages: 232

flylib.com © 2008-2017.
If you may any questions please contact us: flylib@qtcs.net