2017-10-20 124 views
1

我用flex編寫的詞法分析器出現問題。當我嘗試編譯它時,沒有創建exe文件,並且出現很多錯誤。以下是Flex文件:Flex沒有編譯詞法分析器 - 宏的錯誤

%{ 
#ifdef PRINT 
#define TOKEN(t) printf("Token: " #t "\n"); 
#else 
#define TOKEN(t) return(t); 
#endif 
%} 

delim  [ \t\n] 
ws   {delim}+ 
digit  [0-9] 
id   {character}({character}|{digit})* 
number  {digit}+ 
character [A-Za-z] 
%% 
{ws}   ; /* Do Nothing */ 


":"    TOKEN(COLON); 
";"    TOKEN(SEMICOLON); 
","    TOKEN(COMMA); 
"("    TOKEN(BRA); 
")"    TOKEN(CKET); 
"."    TOKEN(DOT); 
"'"    TOKEN(APOS); 

"="    TOKEN(EQUALS); 
"<"    TOKEN(LESSTHAN); 
">"    TOKEN(GREATERTHAN); 

"+"    TOKEN(PLUS); 
"-"    TOKEN(SUBTRACT); 
"*"    TOKEN(MULTIPLY); 
"/"    TOKEN(DIVIDE); 

{id}   TOKEN(ID); 

{number}  TOKEN(NUMBER); 

'{character}' TOKEN(CHARACTER_CONSTANT); 

%% 

這是我收到的錯誤:

spl.l: In function 'yylex': 

spl.l:19:7: error: 'COLON' undeclared (first use in this function) 
":" TOKEN(COLON); 
    ^

spl.l:5:25: note: in definition of macro 'TOKEN' 
#define TOKEN(t) return(t); 
         ^

spl.l:19:7: note: each undeclared identifier is reported only once for each function it appears in 
":" TOKEN(COLON); 
    ^

spl.l:5:25: note: in definition of macro 'TOKEN' 
#define TOKEN(t) return(t); 
         ^

spl.l:20:7: error: 'SEMICOLON' undeclared (first use in this function) 
";" TOKEN(SEMICOLON); 
    ^

spl.l:5:25: note: in definition of macro 'TOKEN' 
#define TOKEN(t) return(t); 

,我使用編譯命令:

flex a.l 
gcc -o newlex.exe lex.yy.c -lfl 

任何人都可以看到我的可能會出錯?

+0

順便說一句,你不應該需要一個「;」在你的宏中,你已經調用它了 –

回答

2

您必須先定義令牌。定義(即ids)COLON,SEMICOLON等頁碼不是由flex生成的。這裏

%{ 
#ifdef PRINT 
#define TOKEN(t) printf("Token: " #t "\n"); 
#else 
#define TOKEN(t) return(t); 
#endif 

enum { COLON = 257, SEMICOLON, COMMA, BRA, CKET, DOT, APOS, EQUALS, 
     LESSTHAN, GREATERTHAN, PLUS, SUBTRACT, MULTIPLY, DIVIDE, 
     ID, NUMBER, CHARACTER_CONSTANT }; 
%} 

我建議IDS> 257能夠同時直接從詞法分析器作進一步處理返回的ASCII字符代碼:你可以在枚舉你的詞法分析器文件的頂部定義它。 但是,通常,令牌名稱也會用於yacc/bison的解析器文件,該文件會生成包含在您的詞法分析器中的頭文件(默認名稱爲y.tab.h),該文件包含那些也與解析器函數相匹配的記號的生成的id 。

+0

謝謝你,現在有道理! – user8786494