tags:

views:

168

answers:

5

If I have a match operator, how do I save the parts of the strings captured in the parentheses in variables instead of using $1, $2, and so on?

... = m/stuff (.*) stuff/;

What goes on the left?

+3  A: 

The trick is to make m// work in list context by using a list assignment:

 ($interesting) = $string =~ m/(interesting)/g;

This can be neatly extended to grab more things, eg:

 ($interesting, $alsogood) = $string =~ m/(interesting) boring (alsogood)/g;
joachim
True.Though the bit I always get stuck on is the syntax to get stuff into named variables, rather than the regexp side of things, so I skimped on the regexp part of the example and answer.
joachim
+3  A: 

Usually you also want to do a test to make sure the input string matches your regular expression. That way you can also handle error cases.

To extract something interesting you also need to have some way to anchor the bit you're interested in extracting.

So, with your example, this will first make sure the input string matches our expression, and then extract the bit between the two 'boring' bits:

$input = "boring interesting boring";
if($input =~ m/boring (.*) boring/) {
    print "The interesting bit is $1\n";
}
else {
    print "Input not correctly formatted\n";
}
Andre Miller
+2  A: 

Use the bracketing construct (...) to create a capture buffer. Then use the special variables $1, $2, etc to access the captured string.

if ( m/(interesting)/ ) {
    my $captured = $1;
}
innaM
You **don't need a capturing group** when you want the whole expression. **Just use `$0` instead.**
Peter Boughton
@Peter: I think you must have confused $0, the name of the current program, with something else.
brian d foy
... with something completely else, in fact.
innaM
ysth
A: 

$& - The string matched by the last successful pattern match (not counting any matches hidden within a BLOCK or eval() enclosed by the current BLOCK).

#! /usr/bin/perl

use strict;
use warnings;

my $interesting;
my $string = "boring interesting boring";
$interesting = $& if $string =~ /interesting/;
Alan Haggai Alavi
brian d foy
A: 

You can use named capture buffers:

if (/ (?<key> .+? ) \s* : \s* (?<value> .+ ) /x) { 
    $hash{$+{key}} = $+{value};
}
Eric Strom