我需要将宽字符串转换为双数字。据推测,字符串保持一个数字而没有别的(可能是一些空格)。如果字符串包含其他内容,则应指出错误。所以我不能使用stringstream
- 如果字符串包含其他内容,它将提取一个数字而不指示错误。
wcstod
似乎是一个完美的解决方案,但它在Android上运行错误(GCC 4.8,NDK r9)。我还可以尝试其他什么选择?
答案 0 :(得分:5)
您可以使用stringstream
,然后使用std:ws
检查流上的任何剩余字符是否仅为空格:
double parseNum (const std::wstring& s)
{
std::wistringstream iss(s);
double parsed;
if ( !(iss >> parsed) )
{
// couldn't parse a double
return 0;
}
if ( !(iss >> std::ws && iss.eof()) )
{
// something after the double that wasn't whitespace
return 0;
}
return parsed;
}
int main()
{
std::cout << parseNum(L" 123 \n ") << '\n';
std::cout << parseNum(L" 123 asd \n ") << '\n';
}
打印
$ ./a.out
123
0
(我刚刚在错误案例中返回0
作为我的示例快速简单的内容。您可能想要throw
或其他内容。
当然还有其他选择。我只觉得你的评估对stringstream
不公平。顺便说一下,这是您实际 想要检查eof()
的少数情况之一。
编辑:好的,我添加了w
和L
来使用wchar_t
。
编辑:这是第二个if
在概念上展开的内容。可能有助于理解为什么它是正确的。
if ( iss >> std::ws )
{ // successfully read some (possibly none) whitespace
if ( iss.eof() )
{ // and hit the end of the stream, so we know there was no garbage
return parsed;
}
else
{ // something after the double that wasn't whitespace
return 0;
}
}
else
{ // something went wrong trying to read whitespace
return 0;
}