我在C ++中使用Flex和Bison。我正在学习使用这些工具,最好的方法是通过执行一个简单的计算器。从calc.y和calc.l文件生成应用程序(可执行文件)后,我可以运行.exe文件并使用它,但现在我想将它包含在文件c ++中,以便在我的应用程序中使用它我不能。我认为这是我的错,因为我包括错误生成的文件或生成错误的代码导入。
的main.cpp
#include <iostream>
extern "C" {
#include "y.tab.h"
}
int main ( int argc, char *argv[] ) {
yyparse();
printf(elementos);
return 0;
}
calc.l
%{
#include "y.tab.h"
#include <stdlib.h>
void yyerror(char *);
%}
%%
[0-9]+ {
yylval = atoi(yytext);
return INTEGER;
}
[-+()\n] {
return *yytext;
}
[ \t] ;
. {
yyerror("Invalid character.");
}
%%
int yywrap(void) {
return 1;
}
calc.y
%{
#include <stdio.h>
int yylex(void);
void yyerror(char *);
int sym[26];
int elementos = 0;
%}
%token INTEGER VARIABLE
%left '+' '-'
%left '*' '/'
%%
program:
program expr '\n' { printf("%d\n", $2 ); }
|
;
statement:
expr { printf("%d\n", $1); }
| VARIABLE '=' expr { sym[$1] = $3; }
;
expr:
INTEGER { $$ = $1; }
| expr '+' expr { $$ = $1 + $3; elementos = elementos + 1;}
| expr '-' expr { $$ = $1 - $3; }
| expr '*' expr { $$ = $1 * $3; }
| expr '/' expr { $$ = $1 / $3; }
| '(' expr ')' { $$ = $2; }
;
%%
void yyerror(char *s) {
fprintf(stderr, "%s\n", s);
}
int main(void) {
yyparse();
return 0;
}
y.tab.h由bison生成。当我尝试编译main.cpp时,我收到错误:
命令:gcc main.cpp -o main.exe
结果:main.cpp: In function 'int main(int, char**)':
main.cpp:8:10: error: 'yyparse' was not declared in this scope
main.cpp:9:9: error: 'elementos' was not declared in this scope
我该如何解决?
我在Windows 8.1上使用gcc版本4.7.2,bison 2.4.1和2.5.4。
谢谢!
修改:
y.tab.h文件是:
/* Tokens. */
#ifndef YYTOKENTYPE
# define YYTOKENTYPE
/* Put the tokens into the symbol table, so that GDB and other debuggers
know about them. */
enum yytokentype {
INTEGER = 258,
VARIABLE = 259
};
#endif
/* Tokens. */
#define INTEGER 258
#define VARIABLE 259
#if ! defined YYSTYPE && ! defined YYSTYPE_IS_DECLARED
typedef int YYSTYPE;
# define YYSTYPE_IS_TRIVIAL 1
# define yystype YYSTYPE /* obsolescent; will be withdrawn */
# define YYSTYPE_IS_DECLARED 1
#endif
extern YYSTYPE yylval;
不是&#34; elementos&#34;变量,但查看生成的 y.tab.c 文件,我发现已经定义了!
答案 0 :(得分:2)
你有很多问题:
Bison和Flex生成C代码,然后您需要编译并链接到您的程序。你的问题没有表明你已经这样做了。
如果您希望能够在main.cpp文件中使用elementos变量,则需要声明它。它可能在其他地方定义,但编译器在编译main.cpp时不知道。在extern“C”部分中添加此行:extern int elementos;
您有两个不同的主要功能。
在main.cpp中,你#include iostream,但是然后从stdio使用printf。
对printf的调用是错误的。它需要一个格式字符串。
Bison显示了一些警告,如果您希望程序正常工作,您可能需要阅读并做一些事情。