I am reading the book theory of computation and there is a language PL in chapter 2 that is implemented in YACC. The program is very basic. There are grammar rules that are specified, and after running the program, it checks if a given file has the syntax of the specified grammar or not. All the rules are given in the book, and I wanted to implement it.
But when I implemented it, i get the shift/reduce conflict code. I searched the error on the web, and found out that the error refers to grammar ambiguity. I tried finding it but wasn't able to. in here there is a similar question, and a user have pointed out that its a warning and can be ignored since some languages are ambiguous.
Problem:
- Can someone point out where the ambiguity might be?
When i try to run a code such as following, the program doesn't understand it. it gives syntax error. Although This should be accepted based on the grammar rules that I have applied. Am I passing a grammar with wrong syntax?
while X = 10; X = Y + 10; end;
My code:
%start program
%%
LETTER : 'A' | 'B' | 'C' | 'D' | 'E' | 'F' | 'G' | 'H' | 'I'
| 'J' | 'K' | 'L' | 'M' | 'N' | 'O' | 'P' | 'Q' | 'R'
| 'S' | 'T' | 'U' | 'V' | 'W' | 'X' | 'Y' | 'Z'
;
DIGIT : '0' | '1' | '2' | '3' | '4' | '5' | '6' | '7' | '8' | '9'
;
name : LETTER
| name DIGIT
| name LETTER
;
numeral : DIGIT
| numeral DIGIT
;
operation : '+'
| '-'
| '*'
| '/'
| '='
| '<'
| '>'
| '>' '='
| '<' '='
;
expression : name
| numeral
| '(' '!' expression ')'
| '(' expression operation expression ')'
;
assignment : name '<' '-' expression
;
instruction : assignment
| 'g' 'o' 't' 'o' name
| 's' 't' 'o' 'p'
;
labelinstr : name ':' instruction ';'
| instruction ';'
;
loop : 'l' 'o' 'o' 'p' expression ';'
| name ':' 'l' 'o' 'o' 'p' expression ';'
;
ifthen : 'i' 'f' expression 't' 'h' 'e' 'n' ';'
| name ':' 'i' 'f' expression 't' 'h' 'e' 'n' ';'
;
while : 'w' 'h' 'i' 'l' 'e' ';'
| name ':' 'w' 'h' 'i' 'l' 'e' expression ';'
;
end : 'e' 'n' 'd' ';'
| name ':' 'e' 'n' 'd' ';'
;
program : labelinstr
| loop program end
| while program end
| ifthen program end
| ifthen program end 'e' 'l' 's' 'e' ';' program end
| program program
;
%%
#include <stdio.h>
yylex() {
int c;
while ( (c=getchar()) == ' ' || c == '\n' || c == '\t') {
printf("%c",c);}
printf("%c",c);
return(c);
}
Ambiguity problems are not related to your syntax errors. Consider this:
Something is missing in one of the alternatives. You want to loop while something when labeled, and while nothing when unlabeled?
Aside: you should really factor out the labels. You already have a "labeled statement" production. Use it.
An expression is either a simple name or number, or parenthesized, so
X = 10
is invalid on its own.This is not an assignment:
This is:
With these fixes there is no longer a syntax error (there are still conflicts but they are unrelated).