1

在看到mathicssymja等项目之后,我正在尝试使用 C++ 中的 flex 和 bison 实现 Wolfram 语言的开源解析器。调用 bison -d 和 flex++ 不会引发任何问题,但是当我使用 g++ 时,会收到以下错误消息:

parser.tab.cpp:1242:16: error: use of undeclared identifier 'yylex'
  yychar = YYLEX;
           ^
parser.tab.cpp:598:16: note: expanded from macro 'YYLEX'
# define YYLEX yylex ()
           ^
1 error generated.

这是我的 .lpp 和 .ypp 文件供参考

词法分析器.lpp

%{
#include <iostream>
#include "parser.tab.hpp"
using namespace std;

extern "C"
{
    int yylex(void);
}

%}

%option c++
%option noyywrap

%%
[1-9][0-9]*(.[0-9]*)?     { return NUM; }
"\["        { return LBRACE; }
"\]"        cout << "rBrace" << endl;
"\("        cout << "lParen" << endl;
"\)"        cout << "rParen" << endl;
"\{"        cout << "lBracket" << endl;
"\}"        cout << "rBracket" << endl;
","         cout << "comma" << endl;

"@@"        cout << "apply" << endl;
"Apply\["   cout << "apply" << endl;
"/@"        cout << "map" << endl;
"Map\["     cout << "map" << endl;
"/."        cout << "rule" << endl;

"==="       cout << "sameQ" << endl;
"SameQ\["   cout << "sameQ" << endl;

"+"         cout << "plus" << endl;
"-"         cout << "minus" << endl;
"*"         cout << "times" << endl;
"/"         cout << "divide" << endl;
"^"         cout << "power" << endl;
"Power\["   cout << "power" << endl;

--Abbreviated--

.           ECHO;
%%

int main()
{
    FlexLexer* lexer = new yyFlexLexer;
    while(lexer->yylex() != 0)
    ;

    return 0;
}

解析器.ypp

%{
#include <iostream>
#include <string>

using namespace std;

extern "C"
{
    int yyparse(void);
}
void yyerror(const char *s);
%}

%union {
    double dval;
    char *str;
}

%token <dval> NUM;
%token <str> RBRACE;
%token <str> LBRACE;
%%

expr:
    NUM     { cout << $1 << endl;}
    | NUM "+" NUM { cout << $1 + $3}
    | NUM "-" NUM { cout << $1 - $3}
    | NUM "*" NUM { cout << $1 * $3}
    | NUM "/" NUM { cout << $1 / $3}
    ;
%%

int main(int argc, char **argv)
{
    yyparse();
}

void yyerror(const char *s)
{
    cout << s << endl;
}

任何帮助,将不胜感激。谢谢!

4

1 回答 1

1

yylex在生成的扫描器中定义并在生成的解析器中(自动)使用。由于结果只是普通的 C(++),所以没有魔法;如果yylex在文件中使用,则需要在该文件中声明它。

您可能希望 bison 自动包含声明,但事实并非如此。一方面,它不知道您想要(不必要且可能徒劳地)将声明包装在extern "C" {...}.


此外,您将遇到 C++ 接口的问题。yylex是 flex C++ API 中的成员函数,因此不能将其声明为extern "C",也不能像yylex在外部文件中那样调用它。

YMMV,但我个人更喜欢使用普通的(稳定且有据可查的)C API,它可以像 C++ 一样完美编译,无需任何extern "C"声明。

如果您想避免全局变量,请使用可重入扫描器/纯解析器接口。

最后,flex附带一个非常好的调试选项,只需-d在命令行上指定,几乎可以零成本使用。使用该标志生成的扫描器将自动输出有关扫描的每个令牌的信息性消息,并且删除命令行标志比编辑整个 flex 描述要容易得多。

bison有类似的机制,但不是那么自动:你需要在生成解析器时启用它,然后你需要通过设置运行时标志来打开它。两者都在各自的手册中有详细记录。

于 2015-01-27T03:56:07.040 回答