そこで、私は Bison と Flex を理解しようとしています (そして、この 2 つがどのように連携するか)。私が与えられた文法例はとてもシンプルで、
e → e plus t
e → t
t → t TIMES f
t → f
f → LPAREN e RPAREN
f → ID
私のテスト入力は「x」だけで、出力は次のようになると予想しています。
"(e (t (f (ID x))))"
私が得ている実際の出力は次のとおりです。
ID x f t
なぜ出力が逆になっているのか疑問に思っています (まだ括弧を追加していません)。これが私のフレックスファイルとバイソンファイルです。
バイソン:
%{
#include "expr-parse-defs.h"
#include <iostream>
std::string AST;
%}
%union {
char *sval;
}
%token <sval> ID PLUS TIMES LPAREN RPAREN
%%
e :
| e PLUS t { AST += std::string("e ") + $2 + "t "; }
| t { AST += "t "; }
;
t :
| t TIMES f { AST += std::string("t ") + $2 + "f "; }
| f { AST += "f "; }
;
f :
| LPAREN e RPAREN { AST += $1 + std::string("e ") + $3; }
| ID { AST += std::string("ID ") + $1 + " " ; }
;
%%
int main() {
yyparse();
std::cout << AST;
return 0;
}
フレックス:
%{
#include <cstring>
#include <string>
#include <sstream>
#include <cstdlib>
#include <iostream>
#include "expr-parse.tab.h"
#include "expr-parse-defs.h"
using namespace std;
int tokenpos = 0;
char * process_token(const char* token){
// we have to copy because we can't rely on yytext not changing underneath us:
char *res = new char[strlen(yytext) + 3];
strcpy(res, yytext);
yylval.sval = res;
}
%}
ID [a-zA-Z][a-zA-Z0-9_]*
%%
"+" { yylval.sval = process_token("PLUS"); return PLUS; }
"*" { yylval.sval = process_token("TIMES"); return TIMES; }
"(" { yylval.sval = process_token("LPAREN"); return LPAREN; }
")" { yylval.sval = process_token("RPAREN"); return RPAREN; }
{ID} { yylval.sval = process_token("ID"); return ID; }
[\n]
%%
int yyerror(const char *s) {
cerr << "this is a bad error message and needs to be changed eventually" << endl;
return 0;
}