有几种方法可以给这只猫剥皮:
- 您可能想过推迟执行绑定表达式:
phx::bind
可以这样做
- 或者,您可以只使用属性传播(并且完全不使用语义操作)
- 最后,您可以使用继承的属性(例如,当 DataContext 没有默认构造函数或复制成本很高时)
1.推迟与凤凰的绑定
为此目的使用phoenix bind:这将产生一个Phoenix actor,在触发语义动作时将“延迟执行” 。
这是您可能一直在寻找的缺失代码示例的重建:
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/phoenix.hpp>
namespace qi = boost::spirit::qi;
namespace phx= boost::phoenix;
struct DataContext
{
double xy;
};
template <typename Iterator, typename Skipper>
struct my_grammar : qi::grammar<Iterator, Skipper>
{
my_grammar(DataContext& dataContext) : my_grammar::base_type(start)
{
start = qi::double_
[ phx::bind(&my_grammar::newValueForXY,
phx::ref(dataContext),
qi::_1) ];
}
private:
static void newValueForXY(DataContext& dc, double value)
{
dc.xy = value;
}
qi::rule<Iterator, Skipper> start;
};
int main()
{
const std::string s = "3.14";
DataContext ctx;
my_grammar<decltype(begin(s)), qi::space_type> p(ctx);
auto f(begin(s)), l(end(s));
if (qi::phrase_parse(f, l, p, qi::space))
std::cout << "Success: " << ctx.xy << "\n";
}
笔记:
- phx::ref() 包装对数据上下文的引用
- qi::_1 代替 boost::_1 作为占位符
考虑到你的这个实现,newValueForXY
你可以很容易地写
start = qi::double_
[ phx::bind(&DataContext::xy, phx::ref(dataContext)) = qi::_1 ];
2.使用属性语法,而不是语义动作
但是,我可能会使用属性而不是语义操作来编写相同的示例(因为这基本上就是它们的用途):
#include <boost/fusion/adapted/struct.hpp>
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/phoenix.hpp>
namespace qi = boost::spirit::qi;
namespace phx= boost::phoenix;
struct DataContext {
double xy;
};
BOOST_FUSION_ADAPT_STRUCT(DataContext, (double, xy))
template <typename Iterator, typename Skipper>
struct my_grammar : qi::grammar<Iterator, DataContext(), Skipper>
{
my_grammar() : my_grammar::base_type(start) {
start = qi::double_;
}
private:
qi::rule<Iterator, DataContext(), Skipper> start;
};
int main()
{
const std::string s = "3.14";
static const my_grammar<decltype(begin(s)), qi::space_type> p;
DataContext ctx;
if (qi::phrase_parse(begin(s), end(s), p, qi::space, ctx))
std::cout << "Success: " << ctx.xy << "\n";
}
3.使用继承属性传入上下文引用
如果您绝对坚持,您甚至可以使用inherited attributes
以下目的:
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/phoenix.hpp>
namespace qi = boost::spirit::qi;
namespace phx= boost::phoenix;
struct DataContext {
double xy;
};
template <typename Iterator, typename Skipper>
struct my_grammar : qi::grammar<Iterator, void(DataContext&), Skipper> {
my_grammar() : my_grammar::base_type(start)
{
start = qi::double_ [ phx::bind(&DataContext::xy, qi::_r1) = qi::_1 ];
}
qi::rule<Iterator, void(DataContext&), Skipper> start;
};
int main() {
const std::string s = "3.14";
const static my_grammar<std::string::const_iterator, qi::space_type> p;
DataContext ctx;
if(qi::phrase_parse(begin(s), end(s), p(phx::ref(ctx)), qi::space)) {
std::cout << "Success: " << ctx.xy << "\n";
}
}
这在呼叫现场更具表现力:
qi::phrase_parse(begin(s), end(s), p(phx::ref(ctx)), qi::space));
并且不需要上下文是默认可构造的。