我想启动一个Flex&Bison转换器,该转换器将从给定的文件中读取并输出到另一个文件,同时了解我们在输入中给他的内容。
例如,如果我给"This is a string" 12 4.5
,则输出文件将是
字符串>“这是字符串”
空格> *
整数> 12
空格> *
float > 4.5
问题是我正在尝试在所有这些内容的基础下工作,而且我从读取输入文件和输出文件并将其打开的位置开始。我正在研究视觉工作室,因此我将命令行参数添加为read exe input.txt output.txt
,并在Grammar.y
文件的主类中进行管理。之后,我尝试用yylex();
函数找到东西返回的内容做一些正则表达式。我正在提供代码,但到目前为止有2个问题。
首先,编译器吐出我没有声明 token ,但是我将它们放在.y
文件中,如下所示。
其次,我充满了我不知道自己在做什么错,这根本不起作用,因此任何建议都将有所帮助。
这是我的Grammar.l
文件
%option noyywrap
%{
#include <iostream>
#include <stdio.h>
#include <stdlib.h>
#include "Grammar.tab.h"
#define YY_DECL int yylex(yy::parser::semantic_type *yylval)
FILE *fout;
using namespace std;
%}
%%
[0-9]+ { yylval->ival = atoi(yytext); return INTEGER; }
[0-9]+"."[0-9]+ | "."?[0-9]? { yylval->fval = atof(yytext); return FLOAT; }
[a-zA-Z0-9]+ { yylval->sval = yytext; return STRING; }
" "* { return SPACE; }
"\t"* { return TAB; }
%%
这是Grammar.y
文件%language "C++"
%start root
%{
#include <stdio.h>
#include <stdlib.h>
#include "Grammar.tab.h"
#define SIZE 512
using namespace std;
extern "C" int yylex();
extern "C" FILE *yyin;
extern "C" FILE *fout;
extern int yylex(yy::parser::semantic_type *yylval);
%}
%union{
int ival;
float fval;
char* sval;
}
%token <ival> INTEGER
%token <fval> FLOAT
%token <sval> STRING
%token SPACE
%token TAB
%%
root : ;
%%
void main( int argc, char ** argv){
if ( argc < 4 ){
printf("\nError!!! Missing Command line arguments\nUsage exe <inputfile> <outputfile>");
exit(1);
}
else{
fopen_s(&yyin, argv[3],"r");
if (yyin == NULL) {
printf("\033[0;31mError oppening input file.\033[0m");
}
fopen_s(&fout, argv[4],"r");
if (fout == NULL) {
printf("\033[0;31mError oppening output file.\033[0m");
}
do
{
yylex();
}while(!feof(yyin));
fclose(yyin);
}
fclose(fout);
}
namespace yy{
void parser::error (const location_type& loc, const std::string& msg){
std::cerr << "error at " << loc << ": " << msg << std::endl;
}
}
最佳答案
当您请求C++解析器时,野牛会将 token 类型保留在全局 namespace 之外。这使用法与您在Internet上发现的大多数示例(假定C接口(interface))大不相同。
因此,您不仅需要使用INTEGER
,还需要指定全名:
[0-9]+ { yylval->ival = atoi(yytext);
return yy::parser::token::INTEGER; }
您可以在序言中使用using
指令将其缩短一点。您的编译器还将抱怨
yylex
函数中对main
的调用。请注意,您已将yylex
声明为:extern int yylex(yy::parser::semantic_type *yylval);
这意味着它需要一个单独的参数,该参数是yy::parser::semantic_type
(即union
声明所描述的%union
)的指针。为了调用该函数,您需要一个指向此类对象的指针,这意味着您需要该对象的实例指向: yy::parser::semantic_type yylval;
int token;
do
{
token = yylex(&yylval);
/* Here you need to do something in order to print
* the token and possibly the associated semantic value.
* So you'll probably need something like this:
*/
switch(token) {
case yy::parser::token::INTEGER {
fprintf(fout, "INTEGER: %d\n", yylval->ival);
break;
}
// ...
case 0: break;
}
} while(token);
请注意,我更改了feof
测试,以便当yylex
返回0时循环终止,这是yylex
表示已到达输入结尾的方式。