我正在尝试解析一个字符串,以检测它是一个数字还是一个名称,等等。 为此,我放置了“ 10 ms”之类的示例:它仅解析10 ms,而不会返回错误。 我想做的就是获取是否可以解析整个字符串,而不仅仅是其中一部分。
这是我的代码:
string s = "10 ms";
bool number = true;
try {
stof(s, nullptr);
} catch (invalid_argument){
number = false;
}
它返回一个数字。从stof
返回的数字是10。
我也尝试过使用catch(...),同样的问题。
答案 0 :(得分:3)
看看std::stof的文档,它有2个参数,其中一个是输出参数。
这可以通过以下方式使用:
#include <string>
#include <iostream>
int main(int, char**)
{
try
{
std::string s = "10 ms";
bool number = true;
std::size_t nofProcessedChar = 0;
auto nr = std::stof(s, &nofProcessedChar);
std::cout << "found " << nr << " with processed " << nofProcessedChar << std::endl;
auto allCharsProcessed = nofProcessedChar == s.size();
std::cout << "all processed: " << allCharsProcessed << std::endl;
}
catch(const std::invalid_argument &)
{
std::cout << "Invalid argument " << std::endl;
}
catch (const std::out_of_range &)
{
std::cout << "Out of range" << std::endl;
}
}
如您在输出中所见
found 10 with processed 2
all processed: 0
它将为所有已处理的打印0,这是bool的数字转换值。