我必须从字符串读取一个浮点值,最多6个精度,当前代码只读取前6个数字。在此先感谢
template <class T>
bool from_string(T& t, const std::string& s,
std::ios_base& (*f)(std::ios_base&))
{
std::istringstream iss(s);
return !(iss >> f >> t).fail();
}
int main()
{
int i;
float f;
// the third parameter of from_string() should be
// one of std::hex, std::dec or std::oct
if(from_string<int>(i, std::string("ff"), std::hex))
{
std::cout << i << std::endl;
}
else
{
std::cout << "from_string failed" << std::endl;
}
if(from_string<float>(f, std::string("1456.909"), std::dec))
{
std::cout << f << std::endl;
}
else
{
std::cout << "from_string failed" << std::endl;
}
return 0;
}
答案 0 :(得分:2)
我很确定它正在读取所有数字。问题似乎在于您的期望。让我们更强一点:如果你在1456.90900000000000000000000000000
中阅读float
,你会发生什么?
答案 1 :(得分:1)
如果你想做的比6位数好,你需要使用double而不是float。你的问题是“6位精度”和“前6位”,但你提出的输入是7位数。
浮点数只能保持6位精度,即x.yzpqrs或xy.zpqrs或xyzpq.rs。如果您持有6 小数位,那么您需要使用double。
例如,你可以使用cout.precision(7)输出更多小数位,在这种情况下会输出正确的答案,即使C实际上并不存储7位数,只是接近右边的东西答案。