首先,不要boost::bind
在语义动作中使用。
语义动作需要是 Phoenix Actors。换句话说,延迟或惰性函数对象。
获得它的方法通常是 using boost::phoenix::bind
,但在这种情况下你输了:绑定不需要占位符,也不知道如何绑定到它。
相反,让符号表公开延迟函数。但是你需要高级魔法来保护内部绑定免受外部绑定:使用 boost::bind 将回调发布到任务队列
相反,我建议在自定义惰性操作中进行整个评估:
auto bin_eval = [](auto const& lhs, auto const& op, auto const& rhs) {
return op(lhs, rhs);
};
接着
(qi::int_ >> sym >> qi::int_)
[qi::_val = px::bind(bin_eval, _1, _2, _3)],
然而,这还不是全部。您的示例可能过于简单,因为它甚至无法使用正确的语义操作进行编译。相反,您需要抑制属性传播,这仅在您将语义操作添加到规则时才会发生:
住在科利鲁
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/phoenix.hpp>
#include <iomanip>
namespace qi = boost::spirit::qi;
namespace px = boost::phoenix;
int main() {
qi::symbols<char, std::function<bool(int, int)>> sym;
sym.add
("==", [](int v1, int v2) {return v1 == v2; })
("!=", [](int v1, int v2) {return v1 != v2; });
using namespace qi::labels;
bool result;
auto bin_eval = [](auto const& lhs, auto const& op, auto const& rhs) {
return op(lhs, rhs);
};
qi::rule<std::string::const_iterator, bool(), qi::space_type> rule;
rule = (qi::int_ >> sym >> qi::int_)
[qi::_val = px::bind(bin_eval, _1, _2, _3)];
for (std::string const s : {"1==2", "1!=2" }) {
std::cout << std::quoted(s) << " -> ";
if (qi::phrase_parse(s.begin(), s.end(), rule, qi::space, result)) {
std::cout << "result: " << std::boolalpha << result << "\n";
} else {
std::cout << "parse failed\n";
}
}
}
印刷
"1==2" -> result: false
"1!=2" -> result: true
更漂亮?
对于奖励积分,提升到适当的凤凰功能:
struct bin_eval_t {
template <typename T, typename U, typename V>
auto operator()(T const& lhs, U const& op, V const& rhs) const {
return op(lhs, rhs);
}
};
// ...
px::function<bin_eval_t> bin_eval;
// ...
rule = (qi::int_ >> sym >> qi::int_)
[qi::_val = bin_eval(_1, _2, _3)];
更简单?
您可以用 std 函数替换 lambda:
sym.add
("==", std::equal_to<>{})
("!=", std::not_equal_to<>{});
或者如果你没有 c++14
sym.add
("==", std::equal_to<int>{})
("!=", std::not_equal_to<int>{});
多得多?
如果您想要异构评估(不仅仅是布尔谓词)、一元运算符、优先级、关联性,请查看我在此站点上制作的一些示例。
通常他们将评估阶段与解析阶段分开:
但是,如果您愿意,您确实可以将解析与评估结合起来。在这种情况下,将所有内容简化为直接在语义操作中是有意义的:
住在科利鲁
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/phoenix.hpp>
#include <iomanip>
namespace qi = boost::spirit::qi;
int main() {
using namespace qi::labels;
for (std::string const s : {"1==2", "1!=2" }) {
std::cout << std::quoted(s) << " -> ";
bool result;
if (qi::phrase_parse(s.begin(), s.end(),
qi::int_ >> (
"==" >> qi::int_ [ _val = (_val == _1) ]
| "!=" >> qi::int_ [ _val = (_val != _1) ]
),
qi::space,
result))
{
std::cout << "result: " << std::boolalpha << result << "\n";
} else {
std::cout << "parse failed\n";
}
}
}
印刷
"1==2" -> result: false
"1!=2" -> result: true