文字列をintまたはdoubleとして解析する方法を探しています。パーサーは両方の選択肢を試し、入力ストリームの最も長い部分に一致するものを選択する必要があります。
私が探しているものを正確に実行する非推奨のディレクティブ(longest_d)があります:
number = longest_d[ integer | real ];
...非推奨になっているので、他に選択肢はありますか?目的の動作を実現するためにセマンティックアクションを実装する必要がある場合、誰か提案がありますか?
文字列をintまたはdoubleとして解析する方法を探しています。パーサーは両方の選択肢を試し、入力ストリームの最も長い部分に一致するものを選択する必要があります。
私が探しているものを正確に実行する非推奨のディレクティブ(longest_d)があります:
number = longest_d[ integer | real ];
...非推奨になっているので、他に選択肢はありますか?目的の動作を実現するためにセマンティックアクションを実装する必要がある場合、誰か提案がありますか?
まず、Spirit V2に切り替えてください。これは、何年もの間、古典的な精神に取って代わっています。
次に、intが優先されることを確認する必要があります。デフォルトでは、doubleは任意の整数を同等に解析できるため、strict_real_policies
代わりに次を使用する必要があります。
real_parser<double, strict_real_policies<double>> strict_double;
今、あなたは簡単に述べることができます
number = strict_double | int_;
見る
テストプログラムLiveonColiruを参照してください
#include <boost/spirit/include/qi.hpp>
using namespace boost::spirit::qi;
using A = boost::variant<int, double>;
static real_parser<double, strict_real_policies<double>> const strict_double;
A parse(std::string const& s)
{
typedef std::string::const_iterator It;
It f(begin(s)), l(end(s));
static rule<It, A()> const p = strict_double | int_;
A a;
assert(parse(f,l,p,a));
return a;
}
int main()
{
assert(0 == parse("42").which());
assert(0 == parse("-42").which());
assert(0 == parse("+42").which());
assert(1 == parse("42.").which());
assert(1 == parse("0.").which());
assert(1 == parse(".0").which());
assert(1 == parse("0.0").which());
assert(1 == parse("1e1").which());
assert(1 == parse("1e+1").which());
assert(1 == parse("1e-1").which());
assert(1 == parse("-1e1").which());
assert(1 == parse("-1e+1").which());
assert(1 == parse("-1e-1").which());
}