Fusion Adapt
Одной из проблем является адаптация: вы предоставляете типы, но пишете их как прямые объявления типов в глобальном пространстве имен:
BOOST_FUSION_ADAPT_STRUCT(ast::argument, (struct identifier, typeName) (struct identifier, value))
BOOST_FUSION_ADAPT_STRUCT(ast::function_call, (struct identifier, name) (struct identifier, arguments))
BOOST_FUSION_ADAPT_STRUCT(ast::function_prototype, (struct identifier, returnType) (struct identifier, name) (std::list<struct argument>, arguments))
Это может можно исправить, заменив, например, ast::identifier
, но зачем?Вы определенно можете использовать вариант c ++ 11 и позволить компилятору выяснить типы:
BOOST_FUSION_ADAPT_STRUCT(ast::identifier, name)
BOOST_FUSION_ADAPT_STRUCT(ast::argument, typeName, value)
BOOST_FUSION_ADAPT_STRUCT(ast::function_call, name, arguments)
BOOST_FUSION_ADAPT_STRUCT(ast::function_prototype, returnType, name, arguments)
RAW
Второе значение cinch - x3::raw[]
.Директива raw
представляет диапазон итераторов в качестве атрибута, и он не совместим с типом связанного атрибута (например, ast::identifier
).
В этом конкретном случае вы выполняете анализ (сравните с моим замечанием от предыдущий ответ , где вы не анализировали, а только соответствовали).Таким образом, вам нужно сопоставить синтезированный атрибут с целевым типом атрибута:
auto const identifier_def = x3::lexeme[(x3::alpha | x3::char_('_')) >> *(x3::alnum | x3::char_('_'))];
Последовательности для одного элемента
Существует затянувшаяся проблема с Qi / X3, которая вызывает распространение атрибута для одного элементапоследовательности, чтобы запутаться.В этом случае полезно, если вы просто сделаете identifier
синтаксический анализ в std::string
(а fusion правильно назначит это для ast::identifier
оттуда):
auto const identifier_def = x3::lexeme[(x3::alpha | x3::char_('_')) >> *(x3::alnum | x3::char_('_'))];
Отбрасывание остальныхиз директив rawp[]
он компилируется:
Live On Coliru
#define BOOST_SPIRIT_X3_DEBUG
#include <boost/spirit/home/x3.hpp>
#include <boost/fusion/adapted.hpp>
#include <boost/fusion/include/io.hpp>
#include <boost/spirit/home/x3/support/ast/variant.hpp>
#include <list>
#include <iostream>
namespace x3 = boost::spirit::x3;
namespace ascii = boost::spirit::x3::ascii;
using boost::spirit::x3::ascii::space;
namespace ast {
struct identifier {
std::string name;
};
struct argument {
identifier typeName;
identifier value;
};
struct function_call {
identifier name;
std::list<argument> arguments;
};
struct function_prototype {
identifier returnType;
identifier name;
std::list<argument> arguments;
};
} // namespace ast
BOOST_FUSION_ADAPT_STRUCT(ast::identifier, name)
BOOST_FUSION_ADAPT_STRUCT(ast::argument, typeName, value)
BOOST_FUSION_ADAPT_STRUCT(ast::function_call, name, arguments)
BOOST_FUSION_ADAPT_STRUCT(ast::function_prototype, returnType, name, arguments)
namespace parser
{
struct identifier_class;
typedef x3::rule<identifier_class, std::string> identifier_type;
identifier_type const identifier = "identifier";
auto const identifier_def = x3::lexeme[(x3::alpha | x3::char_('_')) >> *(x3::alnum | x3::char_('_'))];
BOOST_SPIRIT_DEFINE(identifier)
struct argument_class;
typedef x3::rule<argument_class, ast::argument> argument_type;
argument_type const argument = "argument";
auto const argument_def = identifier >> identifier;
BOOST_SPIRIT_DEFINE(argument)
struct function_call_class;
typedef x3::rule<function_call_class, ast::function_call> function_call_type;
function_call_type const function_call = "function_call";
auto const function_call_def = identifier >> '(' > -(argument % ',') > ')';
BOOST_SPIRIT_DEFINE(function_call)
struct function_prototype_class;
typedef x3::rule<function_prototype_class, ast::function_prototype> function_prototype_class_type;
function_prototype_class_type const function_prototype = "function_prototype";
auto const function_prototype_def =
identifier >> identifier >> '(' > -(argument % ',') >> x3::expect[')'] >> ';';
BOOST_SPIRIT_DEFINE(function_prototype)
auto const functionProtos = +function_prototype;
}
namespace Application {
class Parser {
public:
void functionParser(const std::string& input) {
if (0) {
ast::identifier output;
x3::phrase_parse(input.begin(), input.end(), parser::identifier, x3::space, output);
}
if (0) {
ast::argument output;
x3::phrase_parse(input.begin(), input.end(), parser::argument, x3::space, output);
}
if (0) {
ast::function_call output;
x3::phrase_parse(input.begin(), input.end(), parser::function_call, x3::space, output);
}
if (0) {
ast::function_prototype output;
x3::phrase_parse(input.begin(), input.end(), parser::function_prototype, x3::space, output);
}
{
std::vector<ast::function_prototype> output;
x3::phrase_parse(input.begin(), input.end(), parser::functionProtos, x3::space, output);
std::cout << "success: " << output.size() << " prototypes parsed\n";
}
}
};
} // namespace parser
int main()
{
Application::Parser p;
p.functionParser("void foo(int a); float bar(double b, char c);");
}
Печать
success: 2 prototypes parsed
SIMPLIFY
Пока вы не разделяете правила между единицами перевода ИЛИ не требуете рекурсивных правил, в макросе define / нет необходимости.Вместо этого упростим:
auto const identifier = as<std::string>("identifier", x3::lexeme[(x3::alpha | x3::char_('_')) >> *(x3::alnum | x3::char_('_'))]);
auto const argument = as<ast::argument>("argument", identifier >> identifier);
auto const function_call = as<ast::function_call>("function_call", identifier >> '(' > -(argument % ',') > ')');
auto const function_prototype = as<ast::function_prototype>("function_prototype",
identifier >> identifier >> '(' > -(argument % ',') >> x3::expect[')'] >> ';');
Используется очень простая стенография для ввода правила attirbutes:
template <typename T> auto as = [](auto name, auto p) { return x3::rule<struct _, T> {name} = p; };
Просмотр Live On Coliru
//#define BOOST_SPIRIT_X3_DEBUG
#include <boost/spirit/home/x3.hpp>
#include <boost/fusion/adapted.hpp>
#include <list>
#include <iostream>
namespace x3 = boost::spirit::x3;
using boost::spirit::x3::ascii::space;
namespace ast {
struct identifier {
std::string name;
};
struct argument {
identifier typeName;
identifier value;
};
struct function_call {
identifier name;
std::list<argument> arguments;
};
struct function_prototype {
identifier returnType;
identifier name;
std::list<argument> arguments;
};
} // namespace ast
BOOST_FUSION_ADAPT_STRUCT(ast::identifier, name)
BOOST_FUSION_ADAPT_STRUCT(ast::argument, typeName, value)
BOOST_FUSION_ADAPT_STRUCT(ast::function_call, name, arguments)
BOOST_FUSION_ADAPT_STRUCT(ast::function_prototype, returnType, name, arguments)
namespace parser
{
template <typename T> auto as = [](auto name, auto p) { return x3::rule<struct _, T> {name} = p; };
auto const identifier = as<std::string>("identifier", x3::lexeme[(x3::alpha | x3::char_('_')) >> *(x3::alnum | x3::char_('_'))]);
auto const argument = as<ast::argument>("argument", identifier >> identifier);
auto const function_call = as<ast::function_call>("function_call", identifier >> '(' > -(argument % ',') > ')');
auto const function_prototype = as<ast::function_prototype>("function_prototype",
identifier >> identifier >> '(' > -(argument % ',') >> x3::expect[')'] >> ';');
auto const functionProtos = +function_prototype;
}
namespace Application {
class Parser {
public:
void functionParser(const std::string& input) {
std::vector<ast::function_prototype> output;
x3::phrase_parse(input.begin(), input.end(), parser::functionProtos, x3::space, output);
std::cout << "success: " << output.size() << " prototypes parsed\n";
}
};
} // namespace parser
int main()
{
Application::Parser p;
p.functionParser("void foo(int a); float bar(double b, char c);");
}
Который также печатает
success: 2 prototypes parsed