我将此语法传递给phrase_parse()
double_[push_back(phoenix::ref(v), _1)] >> *(*blank >> double_[push_back(phoenix::ref(v), _1)])
以*(*blank
开头的第二个表达式,找出0次或更多次出现
'双'。在我的情况下,我想确保它恰好匹配6次出现。是否有可能以提升精神来做到这一点?
答案 0 :(得分:2)
使用repeat指令。在解析数字列表时,无需使用semantic actions,只需要%
运算符即可。在这种情况下,由于你的数字是用空格分隔的,你也不需要使用它,你传递给phrase_parse
的队长就可以了。
auto result = qi::phrase_parse(first, last,
qi::repeat(6)[qi::double_],
qi::space,
v);
完整示例:
#include <iostream>
#include <string>
#include <vector>
#include <boost/spirit/include/qi.hpp>
namespace qi = boost::spirit::qi;
void parse(std::string const& s)
{
auto first = s.cbegin(), last = s.cend();
std::vector<double> v;
auto result = qi::phrase_parse(first, last,
qi::repeat(6)[qi::double_],
qi::space,
v);
if(result) {
if(first == last) {
std::cout << "Success (complete) : ";
} else {
std::cout << "Success (incomplete): ";
}
for(auto d : v) std::cout << d << ' ';
std::cout << " Remaining: " << std::string{first, last} << '\n';
} else {
std::cout << "Failed\n";
}
}
int main()
{
parse("10 20 30 40 50 60 ");
parse("10 20 30 40 50 60 70 80");
parse("10 20 30 40");
}
输出:
Success (complete) : 10 20 30 40 50 60 Remaining:
Success (incomplete): 10 20 30 40 50 60 Remaining: 70 80
Failed