I'm trying to use Parse::RecDescent
make a parser which can parse parenthetical expressions and the unary operator ?
.
What I have so far is failing when I create the parser because the rule expression
is left-recursive:
use strict;
use warnings;
use Parse::RecDescent;
my $test = <<END;
((foo)? bar)
END
my $grammar = q(
parse: expression(s)
expression: string | parend | expression(s)
parend : "(" (string | expression) ")" /\??/
string : /\w+/ /\??/
);
my $parser = Parse::RecDescent->new($grammar);
my $result = $parser->parse($test);
if($result){
print $result;
}else{
print STDERR "Invalid grammar\n";
}
First, you go from lowest priority to highest priority.
Of course,
doesn't work because it's left-recursive. Operator Associativity and Eliminating Left-Recursion in Parse::RecDescent can help you get rid of it. We get
But that's not going to construct the right tree for us. So let's start by flattinging out the "
(s?)
".Then we can use subrule args to create the right tree.
All together: