我目前正致力于以下一种格式解析文本文件中的数据库模式:
(table_name) (table_description)
元素之间的分隔符是双返回(\n\n
)
我需要使用boost::spirit
解析它到地图上。
问题是table_description
也可以包含双重回报(\n\n
)。
table_name格式严格,为*qi::char_("a-z0-9_")
。
table_description
可以包含任何字符,但总是从大写字母开始。
如何为此解析器创建语法?
答案 0 :(得分:3)
这与Spirit docs中的文章非常相似:Parsing a List of Key-Value Pairs Using Spirit.Qi(2009年11月15日)。
我能想到的最简单的语法依赖于括号:
start = pair % "\n\n";
parenthesized = '(' > *(char_ - ')') > ')';
pair = parenthesized >> "\n\n" >> parenthesized;
您当然可以对其进行强化,以要求您需要的表格名称和说明(以大写字母开头)的确切语法,但以上内容仅供参考。
唯一/ nifty /位是:
char_ - ')'
_greedily匹配括号内的任何内容(注意这还不支持嵌套的括号集)qi::blank
(非qi::space
)队长以避免忽略换行符以下是完整的示例:
//#define BOOST_SPIRIT_DEBUG
#include <boost/fusion/adapted/std_pair.hpp>
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/karma.hpp>
namespace qi = boost::spirit::qi;
namespace karma = boost::spirit::karma;
typedef std::map<std::string, std::string> map_t;
template <typename It, typename Skipper = qi::space_type>
struct parser : qi::grammar<It, map_t(), Skipper>
{
parser() : parser::base_type(start)
{
using namespace qi;
// using phx::bind; using phx::ref; using phx::val;
start = pair % "\n\n";
pair = parenthesized >> "\n\n" >> parenthesized;
parenthesized = '(' > *(char_ - ')') > ')';
BOOST_SPIRIT_DEBUG_NODE(parenthesized);
BOOST_SPIRIT_DEBUG_NODE(pair);
BOOST_SPIRIT_DEBUG_NODE(start);
}
private:
qi::rule<It, std::string(), Skipper > parenthesized;
qi::rule<It, std::pair<std::string, std::string>(), Skipper> pair;
qi::rule<It, std::map <std::string, std::string>(), Skipper> start;
};
template <typename C, typename Skipper>
bool doParse(const C& input, const Skipper& skipper)
{
auto f(std::begin(input)), l(std::end(input));
parser<decltype(f), Skipper> p;
map_t data;
try
{
bool ok = qi::phrase_parse(f,l,p,skipper,data);
if (ok)
{
std::cout << "parse success\n";
std::cout << "data: " << karma::format(
(karma::auto_ << ": \"" << karma::auto_ << "\"") % karma::eol,
data) << "\n";
}
else std::cerr << "parse failed: '" << std::string(f,l) << "'\n";
if (f!=l) std::cerr << "trailing unparsed: '" << std::string(f,l) << "'\n";
return ok;
} catch(const qi::expectation_failure<decltype(f)>& e)
{
std::string frag(e.first, e.last);
std::cerr << e.what() << "'" << frag << "'\n";
}
return false;
}
template <typename C>
bool doParse(const C& input)
{
return doParse(input, qi::blank);
}
int main()
{
const std::string input = "(table_name)\n\n(table_description)\n\n(other_table)\n\n(other\n\ndescription)";
bool ok = doParse(input);
return ok? 0 : 255;
}
测试输出:
parse success
data: other_table: "other
description"
table_name: "table_description"