1

我正在尝试在我的小项目中使用 flex 和 bison 工具。为了正确理解和使用我正在编写迷你计算器的工具。

问题是我无法yyin在另一个命名空间中声明的类的函数中使用该变量。

main()函数应读取运行参数并Example::parse_file()在命名空间中使用ExNameSpace

在链接编译文件时,我得到:

make all
bison --defines=parser.hpp --output=parser.cpp parser.y
flex --outfile=scanner.cpp scanner.l
g++ -o program scanner.cpp parser.cpp Example.cpp -lfl 
/tmp/ccyQN7z9.o: In function `ExNameSpace::Example::parse_file(std::string const&)':
parser.cpp:(.text+0xabc): undefined reference to `ExNameSpace::yyin'
parser.cpp:(.text+0xac3): undefined reference to `ExNameSpace::yyin'
parser.cpp:(.text+0xb3e): undefined reference to `ExNameSpace::yyin'
collect2: error: ld returned 1 exit status
make: *** [app] Error 1

我的建议是该变量yyin是由 flex 在外部定义的,但没有正确移植到ExNameSpace命名空间。

附加我使用的源文件

示例.h:

#include <string>
#include <iostream>

#ifndef EXAMPLE_H_
#define EXAMPLE_H_

namespace ExNameSpace {
    /* global namespace variable */
    extern std::ostream *err;
    class Example {
    public:
        bool parse_file (const std::string &file);
};
}
#endif /* EXAMPLE_H_ */

示例.cpp:

#include "Example.h"
namespace ExNameSpace {
    std::ostream *err = &std::cout;
    Example::Example() {}
    Example::~Example() {}
}

解析器.y:

%{
#include <stdio.h>
#include "Example.h"

void yyerror (const char *);
int yylex();

using namespace ExNameSpace;
%}

%%
/* bison rules */
%%

void yyerror(const char *message)
{
  extern int yylineno;
  *err << "(line " << yylineno << ") " << message << std::endl;
}

bool Example::parse_file(const std::string &file)
{
  extern FILE* yyin;
  if(!(yyin=fopen(file.c_str(), "r")))
  {
    *err << "Could not open " << file << std::endl;
    return true;
  }
  int result=yyparse();
  fclose(yyin);
  return result;        
}

扫描仪.l:

%{
#include "parser.hpp"
#include "Example.h"

using namespace ExNameSpace;
%}

%%
/* flex rules */
%%

生成文件:

all: app
app: scanner.l parser.y
    bison --defines=parser.hpp --output=parser.cpp parser.y
    flex --outfile=scanner.cpp scanner.l
    g++ -o program scanner.cpp parser.cpp Example.cpp -lfl 

clean:
    rm parser.hpp parser.cpp scanner.cpp
4

1 回答 1

1

问题是声明

extern FILE* yyin;

在函数中Example::ParseFile。由于此声明符没有显式范围,并且包含方法是命名空间ExNameSpace的一部分,因此声明隐含在该命名空间中。但是,由于您从未ExNameSpace::yyin在任何地方定义,因此您会遇到链接故障。bison 创建的默认值yyin在全局命名空间中。所以你需要将此行更改为

extern FILE * ::yyin;

或者完全摆脱它,因为文件范围声明yyin应该已经在文件中的这一点可见,因此不需要本地声明来隐藏文件范围声明。

于 2013-01-22T19:54:13.480 回答