我正在尝试构建一个简单的词法分析器,以便为(科学)C程序提供简单的输入输出库。使用autotools进行编译时,包括automake,libtool和autoconf,我收到以下错误:
simpleio_lex.l:41: error: expected ‘=’, ‘,’, ‘;’, ‘asm’ or ‘__attribute__’ before ‘of’
这通常意味着我在函数原型的末尾忘记了一个分号,但是我已经检查了我的标题,并且没有这样的遗漏。
这是simpleio_lex.l:
%{
int yylex(void);
#define yylex sio_lex
#include "simpleio.h"
%}
NUM [0-9] /* a number */
FLOAT {NUM}+"."{NUM}* /* a floating point number */
FLOATSEQ {FLOAT[[:space:]]?}+
FLOATLN ^FLOATSEQ$
SYMBOL [a-z]+ /* a symbol always comes at the
beginning of a line */
SYMDEF ^SYMBOL[[:space:]]*FLOAT /* define a single value for a symbol */
RANGE FLOAT":"FLOAT":"FLOAT /* a range of numbers */
SYMRANGE ^SYMBOL[[:space:]]+RANGE$ /* assign a range of values to a symbol */
%%
/* a set of lines with just numbers
indicates we should parse it as data */
{FLOATLN}+ sio_read_stk_inits (yytext);
SYMDEF sio_read_parse_symdef (yytext);
SYMRANGE sio_read_parse_symrange (yytext);
%%
/* might as well define these here */
sio_symdef_t *
sio_read_parse_symdef (char * symdef)
{
sio_symdef_t * def = malloc (sizeof (sio_symdef_t));
/* split the string into tokens on the LHS and RHS */
char * delim = " ";
char * lvalue = strtok (symdef, delim);
size_t lsize = sizeof (lvalue);
char * rest = strtok (NULL, delim);
double plval; /* place holder */
int s_ck = sscanf (rest, "%lg", &plval);
if (s_ck == EOF)
return NULL;
else
{
def->value = plval;
def->name = malloc (lsize);
memcpy(def->name, lvalue, lsize);
}
return def;
}
Emacs中的*compilation*
缓冲区超链接将我引导到前导码末尾的%}%
。为什么我收到此错误?我也没有名为“of”的符号。
谢谢,
乔尔
答案 0 :(得分:2)
问题是悬疑的评论,我自己折叠成一条线,如下:
/* this is a comment that's going to run into a
new line */
第二行直接复制到源中,没有注释分隔符。看起来flex对于评论和格式化是相当挑剔的。错误消息中提到的“of”是注释第二行的第一个单词。
问题是我必须查看派生的.c文件,而不是超链接指向我的.l文件。这是转化后的来源:
#line 38 "simpleio_lex.l"
int yylex(void);
#define yylex sio_lex
#include <simpleio.h>
beginning of a line */
#line 505 "simpleio_lex.c"
由flex处理的文件中的这个:
%{
int yylex(void);
#define yylex sio_lex
#include <simpleio.h>
%}
NUM [0-9] /* a number */
FLOAT {NUM}+"."{NUM}* /* a floating point number */
FLOATSEQ {FLOAT[[:space:]]?}+
FLOATLN ^FLOATSEQ$
SYMBOL [a-z]+ /* a symbol always comes at the
beginning of a line */
谢谢! 乔尔