我试图创建自己的错误,但显然,调用yyerror()不足以告诉解析器有错误。我做了一个小例子来更好地描述我的问题。因此,这里是一个解析器,它必须检查语句是否是两个数字之间的逗号。数字不能以0开头。
yacc输入:
%token DIGIT
%{
#include <stdio.h>
#include <stdlib.h>
void yyerror(char *s);
%}
%%
list: |
list stat ';' {printf("The statement is correct!\n\n");} |
list error ';' {printf("The statement is incorrect!\n\n");}
stat: number ',' number
number: DIGIT {if ($1==0) yyerror("number starts with 0");} |
number DIGIT {$$ = $1*10+$2;}
%%
extern int linenum;
void yyerror(char *s) {
fprintf(stderr, " line %d: %s\n", linenum, s);
}
对于lex:
%{
#include <stdio.h>
#include "y.tab.h"
int linenum = 1;
%}
%%
[0-9] {
yylval = yytext[0] - '0';
return DIGIT;
}
[ \t\r]+ ;
\n ++linenum;
. return(yytext[0]);
解析器的输入:
34, 43;
32,fs;
03, 23;
下面是输出:
The statement is correct!
line 2: syntax error
The statement is incorrect!
line 3: number starts with 0
The statement is correct!
即使找到了第3行的错误,解析仍然继续。我该如何修复它?
Upd:使用YYERROR解决了这个问题;
3条答案
按热度按时间e5njpo681#
如果您希望它在检测到一个错误后停止(为什么?),只需从相关的生产返回即可。
默认情况下,它将执行错误恢复。
h79rfbju2#
解析正在继续,因为您有一个包含
error
的规则,这是一个错误恢复规则,告诉解析器如何从错误中恢复并继续。如果您不想在错误后继续,请删 debugging 误恢复规则。然后yyparse
将在错误后立即返回(非零)。v64noz0r3#
在我看来,
yyerror()
只是打印错误消息,但没有在解析器中设置错误状态。您是否可以稍微修改一下语法?法律:
yacc: