本文介绍了如何解决Bison警告"...没有声明的类型"?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
正在对该文件运行Bison:
Running Bison on this file:
%{
#include <iostream>
int yylex();
void yyerror(const char*);
%}
%union
{
char name[100];
int val;
}
%token NUM ID
%right '='
%left '+' '-'
%left '*'
%%
exp : NUM {$$.val = $1.val;}
| ID {$$.val = vars[$1.name];}
| exp '+' exp {$$.val = $1.val + $3.val;}
| ID '=' exp {$$.val = vars[$1.name] = $3.val;}
;
%%
以下类型的警告提示:
这是什么意思,我该如何解决?
推荐答案
定义的联合(%union)不能直接使用.相反,您需要告诉Bison哪个表达式使用了工会的哪个成员.
The union (%union) defined is not intended to be used directly. Rather, you need to tell Bison which member of the union is used by which expression.
这是通过%type指令完成的.
该代码的固定版本为:
%{
#include <iostream>
int yylex();
void yyerror(const char*);
%}
%union
{
char name[100];
int val;
}
%token NUM ID
%right '='
%left '+' '-'
%left '*'
%type<val> exp NUM
%type<name> ID
%%
exp : NUM {$$ = $1;}
| ID {$$ = vars[$1];}
| exp '+' exp {$$ = $1 + $3;}
| ID '=' exp {$$ = vars[$1] = $3;}
;
%%
这篇关于如何解决Bison警告"...没有声明的类型"?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!