in reply to Elegant examples to parse parenthesised strings

When parsing strings I usually go for the 'brute-force' approach (I'm just that kinda guy), splitting around each char and testing one-at-a-time:
use feature ":5.10"; use strict; use warnings; my $line = "05/04/2010 13:09:45 - A - somebody - ( ( my.my id >= 1 ) ) + and ( ( is-relative.to code = 'sister' ) or ( is-relative.to code = +'brother' ) or ( is-mother.to code = 'dog' ) )"; my $open = 0; my @result = (''); for my $char (split ('',$line)) { given ($char) { when ('(') { $open++ } when (')') { $open--; push @result,'' } default { $result[-1] .= $char if $open } } }
That gives me:
my.my id >= 1 is-relative.to code = 'sister' or is-relative.to code = 'brother' or is-mother.to code = 'dog'
Which is not good enough, so I need some tidy-up:
for my $line (@result) { $line =~ s/^\s+(?:or\s+)?(.*)[ ><!=]=.*/$1\n/; } @result = grep !/^\s+$/,@result; print @result,"\n";
Which gives:
my.my id is-relative.to code is-relative.to code is-mother.to code
which I think is what you are looking for. Not sure that it is all that elegant though.