9

不应该一个简单eol的伎俩吗?

#include <algorithm>
#include <boost/spirit/include/qi.hpp>
#include <iostream>
#include <string>
using boost::spirit::ascii::space;
using boost::spirit::lit;
using boost::spirit::qi::eol;
using boost::spirit::qi::phrase_parse;

struct fix : std::unary_function<char, void> {
  fix(std::string &result) : result(result) {}
  void operator() (char c) {
    if      (c == '\n') result += "\\n";
    else if (c == '\r') result += "\\r";
    else                result += c;
  }
  std::string &result;
};

template <typename Parser>
void parse(const std::string &s, const Parser &p) {
  std::string::const_iterator it = s.begin(), end = s.end();
  bool r = phrase_parse(it, end, p, space);
  std::string label;
  fix f(label);
  std::for_each(s.begin(), s.end(), f);
  std::cout << '"' << label << "\":\n" << "  - ";
  if (r && it == end) std::cout << "success!\n";
  else std::cout << "parse failed; r=" << r << '\n';
}

int main() {
  parse("foo",     lit("foo"));
  parse("foo\n",   lit("foo") >> eol);
  parse("foo\r\n", lit("foo") >> eol);
}

输出:

“富”:
  - 成功!
“富\n”:
  - 解析失败;r=0
“富\r\n”:
  - 解析失败;r=0

为什么后两者会失败?


相关问题:

使用 boost::spirit,我如何要求记录的一部分单独存在?

4

1 回答 1

14

您正在space用作调用phrase_parse 的船长。此解析器匹配任何std::isspace返回 true 的字符(假设您正在执行基于 ascii 的解析)。出于这个原因,输入中的内容在您的解析器\r\n看到之前就被您的船长吃掉了。eol

于 2010-03-12T03:57:27.810 回答