名前と値のペアのリストが必要です。各リストは「。」で終了します。およびEOL。名前と値の各ペアは、「:」で区切られます。各ペアは「;」で区切られます リストにあります。例えば
NAME1: VALUE1; NAME2: VALUE2; NAME3: VALUE3.<EOL>
私が抱えている問題は、値に「。」が含まれていることです。最後の値は常に「。」を消費します。EOLで。最後の「。」を確実にするために、ある種の先読みを使用できますか?EOLが異なって扱われる前に?
名前と値のペアのリストが必要です。各リストは「。」で終了します。およびEOL。名前と値の各ペアは、「:」で区切られます。各ペアは「;」で区切られます リストにあります。例えば
NAME1: VALUE1; NAME2: VALUE2; NAME3: VALUE3.<EOL>
私が抱えている問題は、値に「。」が含まれていることです。最後の値は常に「。」を消費します。EOLで。最後の「。」を確実にするために、ある種の先読みを使用できますか?EOLが異なって扱われる前に?
私はサンプルを作成しました。おそらくあなたが持っているもののように見えます。微調整は次の行にあります。
value = lexeme [ *(char_ - ';' - ("." >> (eol|eoi))) ];
方法に注意してください。行末または入力の終わりが直後に続くものは - ("." >> (eol|eoi)))
すべて除外します。.
テストケース(http://liveworkspace.org/code/949b1d711772828606ddc507acf4fb4bにも掲載されています):
const std::string input =
"name1: value 1; other name : value #2.\n"
"name.sub1: value.with.periods; other.sub2: \"more fun!\"....\n";
bool ok = doParse(input, qi::blank);
出力:
parse success
data: name1 : value 1 ; other name : value #2 .
data: name.sub1 : value.with.periods ; other.sub2 : "more fun!"... .
完全なコード:
#include <boost/fusion/adapted.hpp>
#include <boost/spirit/include/qi.hpp>
#include <boost/spirit/include/karma.hpp>
#include <map>
#include <vector>
namespace qi = boost::spirit::qi;
namespace karma = boost::spirit::karma;
namespace phx = boost::phoenix;
typedef std::map<std::string, std::string> map_t;
typedef std::vector<map_t> maps_t;
template <typename It, typename Skipper = qi::space_type>
struct parser : qi::grammar<It, maps_t(), Skipper>
{
parser() : parser::base_type(start)
{
using namespace qi;
name = lexeme [ +~char_(':') ];
value = lexeme [ *(char_ - ';' - ('.' >> (eol|eoi))) ];
line = ((name >> ':' >> value) % ';') >> '.';
start = line % eol;
}
private:
qi::rule<It, std::string(), Skipper> name, value;
qi::rule<It, map_t(), Skipper> line;
qi::rule<It, maps_t(), 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;
maps_t data;
try
{
bool ok = qi::phrase_parse(f,l,p,skipper,data);
if (ok)
{
std::cout << "parse success\n";
for (auto& line : data)
std::cout << "data: " << karma::format_delimited((karma::string << ':' << karma::string) % ';' << '.', ' ', line) << '\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;
}
int main()
{
const std::string input =
"name1: value 1; other name : value #2.\n"
"name.sub1: value.with.periods; other.sub2: \"more fun!\"....\n";
bool ok = doParse(input, qi::blank);
return ok? 0 : 255;
}