0

我试图描述玩具语言的语法。以下是 的内容tokens.lex

/* Simple scanner for a toy language */

%{
/* need this for the call to atof() below */
#include <string.h>
#include <math.h>
%}

IDENTIFIER [a-z][a-z0-9]*
DIGIT      [0-9]

%%
{DIGIT}+ {
  printf("int: %s (%d)\n", yytext, atoi(yytext));
  yylval.string = new std::string(yytext, yyleng);
} /* define int type */

{DIGIT}+"."{DIGIT}+ {
  printf("float: %s (%d)\n", yytext, atof(yytext));
  yylval.string = new std::string(yytext, yyleng);
} /* define float type */

b[\'\"]{IDENTIFIER}[\'\"] {
  printf("bstream: %s\n", yytext);
  yylval.string = new std::string(yytext, yyleng);
} /* define bstream type */

u[\'\"]{IDENTIFIER}[\'\"] {
  printf("ustream: %s\n", yytext);
  yylval.string = new std::string(yytext, yyleng);
} /* define ustream type */

if|then|begin|end|procedure|function {
  printf( "A keyword: %s\n", yytext );
}

{IDENTIFIER}      printf( "identifier: %s\n", yytext );

"+"|"-"|"*"|"/"   printf( "operator: %s\n", yytext );

"{"[^}\n]*"}"     /* Remove one-line comments */

[ \t\n]+          /* Remove whitespace */

.                 printf( "Unrecognized character: %s\n", yytext );

%%
int argc;
char **argv;
int main(argc, argv);
  {
  if ( argc > 0 )
    yyin = fopen( argv[0], "r" );
  else
    yyin = stdin;
  yylex();
  }

然后我尝试编译它:

lex tokens.lex && g++ -lfl lex.yy.c

编译器返回几个错误:

tokens.lex:51:20: error: expression list treated as compound expression in initializer [-fpermissive]
tokens.lex:51:20: error: invalid conversion from ‘char**’ to ‘int’ [-fpermissive]
tokens.lex:52:3: error: expected unqualified-id before ‘{’ token

这里有什么问题?我在 C/C++ 方面不是很强,所以我不知道这里发生了什么。请问你能帮帮我吗?谢谢!

4

2 回答 2

1

main函数的正确写法是:

int main(int argc, char** argv)
{
  if (argc > 1)
    yyin = fopen(argv[1], "r");
  else
    yyin = stdin;
  return yylex();
}
  1. 参数的类型应该放在参数名称之前
  2. argv 数组的元素 [0] 是程序名称本身。真正的论点从 [1] 开始。
于 2012-10-21T18:03:50.347 回答
0

如另一个答案中所述,您的 main() 参数声明不正确的“C”语法,但无论如何这都是错误的。您的词法分析器必须返回标记,而不仅仅是打印它们。lex/flex 的 main() 函数必须调用 yylex() 直到它返回零或 -1 或任何 EOS 指示。这就是 lex 库中的那个。

于 2012-10-24T04:24:05.053 回答