简单线,不同类型的转义元素

时间:2015-06-26 07:25:34

标签: boost boost-spirit boost-spirit-qi

我想用boost :: spirit

解析以下行
0  "a"  "b"  "c"

我已经创建了这样的规则:

qi::rule<std::string::const_iterator, std::string()> escaped_ = qi::char_('"') >> *(qi::char_ - qi::char_('"')) >> qi::char_('"');

int id;
std::string v1,v2,v3;

qi::phrase_parse(bein, end, (qi::int_ >> escaped_ >> escaped_ >> escaped_ >> qi::eol), id, v1, v2, v3);

但是解析失败了,我不知道为什么。希望有人可以提供帮助。

1 个答案:

答案 0 :(得分:1)

phrase_parse需要(它,它,解析器,船长[,属性...])。你忘了通过船长:

bool ok = qi::phrase_parse(begin, end, (qi::int_ >> escaped_ >> escaped_ >> escaped_ >> qi::eol), qi::blank, id, v1, v2, v3);

我建议qi::blank因为你的语法将eol视为重要(跳过它永远不会匹配)。

  

注意 qi::rule巧妙地省略了船长,因此隐含了lexeme[]

qi::rule<It, std::string(), qi::blank_type> escaped_ = qi::lexeme['"' >> *(qi::char_ - '"') >> '"'];
     

另请参阅:Boost spirit skipper issues

最后请注意,您不希望将"作为结果值的一部分进行解析(将qi::char_('"')更改为qi::lit('"'),或者等同于'"',如果可能的话)。

演示

<强> Live On Coliru

#include <boost/spirit/include/qi.hpp>

namespace qi = boost::spirit::qi;

int main() {
    typedef std::string::const_iterator It;

    qi::rule<It, std::string()> escaped_ = '"' >> *(qi::char_ - '"') >> '"';

    std::string const input("0  \"a\"  \"b\"  \"c\"\n");
    It begin(input.begin()), end(input.end());

    int id;
    std::string v1,v2,v3;

    bool ok = qi::phrase_parse(begin, end, (qi::int_ >> escaped_ >> escaped_ >> escaped_ >> qi::eol), qi::blank, id, v1, v2, v3);

    if (ok) {
        std::cout << "Parse succeeded:" 
                  << " "  << id
                  << " '" << v1 << "'"
                  << " '" << v2 << "'"
                  << " '" << v3 << "'\n";
    } else {
        std::cout << "Parse failed\n";
    }

    if (begin != end)
        std::cout << "Remaining unparsed '" << std::string(begin, end) << "'\n";

}

打印

Parse succeeded: 0 'a' 'b' 'c'