我的问题如下。我有一个ast节点,其定义如下:
struct foo_node{
std::vector<std::string> value;
}
我有一个像这样的解析器来解析结构,工作正常:
typedef x3::rule<struct foo_node_class, foo_node> foo_node_type;
const foo_node_type foo_node = "foo_node";
auto const foo_node_def = "(" >> +x3::string("bar") >> ")";
现在我想实现解析器也解析"bar"
,没有括号,但只有它是一个单独的条。我试着这样做:
auto const foo_node_def = x3::string("bar")
| "(" > +x3::string("bar") > ")";
但是这给了我编译时错误,因为x3::string("bar")
返回一个字符串而不是std::vector<std::string>
。
我的问题是,我怎样才能实现x3::string("bar")
解析器(以及返回字符串的每个其他解析器)解析为向量?
答案 0 :(得分:2)
解析单个元素并将其作为单元素容器属性公开的方法是x3::repeat(1) [ p ]
:
<强> Live On Coliru 强>
#include <boost/fusion/adapted/struct.hpp>
#include <boost/spirit/home/x3.hpp>
#include <iostream>
namespace x3 = boost::spirit::x3;
struct foo_node {
std::vector<std::string> value;
};
BOOST_FUSION_ADAPT_STRUCT(foo_node, value)
namespace rules {
auto const bar
= x3::string("bar");
auto const foo_node
= '(' >> +bar >> ')'
| x3::repeat(1) [ +bar ]
;
}
int main() {
for (std::string const input : {
"bar",
"(bar)",
"(barbar)",
})
{
auto f = input.begin(), l = input.end();
foo_node data;
bool ok = x3::parse(f, l, rules::foo_node, data);
if (ok) {
std::cout << "Parse success: " << data.value.size() << " elements\n";
} else {
std::cout << "Parse failed\n";
}
if (f != l)
std::cout << "Remaining unparsed: '" << std::string(f,l) << "'\n";
}
}
打印
Parse success: 1 elements
Parse success: 1 elements
Parse success: 2 elements