C ++(gcc)中是否有相当于TryParse的东西?
我想解析一个可能包含(+31321)的字符串并将其存储为long。我知道电话号码存储为字符串和字符串匹配,但根据我的需要,我想将它们存储很长时间,有时它们可能包含加号(+)。什么会在C ++中解析它?
答案 0 :(得分:3)
strtoul()和家人的麻烦没有真正的方法来测试失败 如果它无法解析,则返回0而不设置errno(仅在溢出时设置)。
提升词汇演员
#include <boost/lexical_cast.hpp>
int main()
{
try
{
long x = boost::lexical_cast<long>("+1234");
std::cout << "X is " << x << "\n";
}
catch(...)
{
std::cout << "Failed\n";
}
}
使用流
进行int main()
{
try
{
std::stringstream stream("+1234");
long x;
char test;
if ((!(stream >> x)) || (stream >> test))
{
// You should test that the stream into x worked.
// You should also test that there is nothing left in the stream
// Above: if (stream >> test) is good then there was content left after the long
// This is an indication that the value you were parsing is not a number.
throw std::runtime_error("Failed");
}
std::cout << "X is " << x << "\n";
}
catch(...)
{
std::cout << "Failed\n";
}
}
使用scanf:
int main()
{
try
{
char integer[] = "+1234";
long x;
int len;
if (sscanf(integer, "%ld%n", &x, &len) != 1 || (len != strlen(integer)))
{
// Check the scanf worked.
// Also check the scanf() read everything from the string.
// If there was anything left it indicates a failure.
throw std::runtime_error("Failed");
}
std::cout << "X is " << x << "\n";
}
catch(...)
{
std::cout << "Failed\n";
}
}
答案 1 :(得分:2)
+31321
可以使用通常的流提取运算符解析为long
。
#include <iostream>
#include <sstream>
int main()
{
std::istringstream s("+31321");
long n;
s >> n;
std::cout << n << '\n';
}
虽然解析实际的电话号码(包括括号,短划线,扩展名等)可能不那么简单。
答案 2 :(得分:2)
实际上,在将字符串转换为数字之前,数字应该“标准化”为通用格式。这需要删除所有符号,并用适当的表示替换它们。
但你必须非常谨慎地将电话号码(不是数字:它们不受常规算术)表示为字符串:以一个或多个零开头的数字与删除了零的数字不同: / p>
00是+的典型替代品,但前面没有00(或+)的数字应以00c为前缀,其中c是国家代码。
在转换之前,您需要进行一些预处理以获得统一的字符串表示,否则您可能会“混淆”不同的东西。
答案 3 :(得分:1)
输入提取运算符&gt;&gt; (我希望它是一个可接受的名称)适用并返回一个具有bool运算符的流&amp;,这意味着已成功尝试提取。例如,来自Cubbi的回答:
...
std::istringstream s("+31321");
long n;
if (s >> n)
std::cout << n << '\n';
....
当然,考虑到s的适当内容,这将成功。
有些不同(更容易但不是类型安全)scanf系列还有c ++中提供的实用工具。你当然可以这样写这个例子:
...
long n;
if (sscanf("+31321", "%d", &n) == 1)
std::cout << n << '\n';
...
正则表达式的一个子集使其相当强大:例如,将逗号分隔的多字段与左空间修剪匹配:
if (sscanf("a,b,c", " [^,], [^,], [^,]", a,b,c) == 3) ...