因此,我想了解Bison和Flex(以及兩者如何結合在一起)。這個例子語法我得到了很簡單,Bison/Flex以相反的順序處理令牌
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
我想知道爲什麼我的輸出是倒退(我還沒有添加括號)。這是我的flex和bison文件。
野牛:
%{
#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;
}
我還沒有看足夠詳細的代碼,但我的直接反應是,這大致是我期望從自下而上的解析器。 – 2013-02-14 04:13:04
好吧,它會從找到的最後一個標記開始。 – AlexLordThorsen 2013-02-14 04:13:35
否 - 它按順序處理令牌,但它從樹的底部開始(最原始的項目,例如語法中的ID),並沿着樹向上走向頂層生產。但至少據我所知,你只是在看一個令牌的解析。 – 2013-02-14 04:16:09