在 Boost::Spirit 中,如何解析后跟分号或带有可选分号的换行符的条目?
示例输入,其中每个条目是一个 int 和一个 double:
12 1.4;
63 13.2
2423 56.4 ; 5 8.1
这是仅解析后跟空格的条目的示例代码:
#include <iostream>
#include <boost/foreach.hpp>
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/support_istream_iterator.hpp>
#include <boost/fusion/include/std_pair.hpp>
namespace qi = boost::spirit::qi;
typedef std::pair<int, double> Entry;
template <typename Iterator, typename Skipper>
struct MyGrammar : qi::grammar<Iterator, std::vector<Entry>(), Skipper> {
MyGrammar() : MyGrammar::base_type(entries) {
entry = qi::int_ >> qi::double_;
entries = +entry;
}
qi::rule<Iterator, Entry(), Skipper> entry;
qi::rule<Iterator, std::vector<Entry>(), Skipper> entries;
};
int main() {
typedef boost::spirit::istream_iterator It;
std::cin.unsetf(std::ios::skipws);
It it(std::cin), end;
MyGrammar<It, qi::space_type> entry_grammar;
std::vector<Entry> entries;
if (qi::phrase_parse(it, end, entry_grammar, qi::space, entries)
&& it == end) {
BOOST_FOREACH(Entry const& entry, entries) {
std::cout << entry.first << " and " << entry.second << std::endl;
}
}
else {
std::cerr << "FAIL" << std::endl;
exit(1);
}
return 0;
}
现在,为了解析我想要的方式(每个条目后跟分号或带有可选分号的换行符),我替换了这个:
entries = +entry;
这样:
entries = +(entry >> (qi::no_skip[qi::eol] || ';'));
其中boost::spirit
运算符||
表示:(a 后跟可选 b)或 b。1.4
但是,如果在此示例输入之后有空格,则会出现错误:
12 1.4
63 13.2
空间不匹配是有道理的,no_skip
但我无法找到解决方案。