我想将double转换为字符串,在点之后舍入到2位小数。我希望1.009表示为“1.01”,1.0表示为“1”。这就是我尝试过的:
std::ostringstream oss;
oss << std::fixed << std::setprecision(2) << std::noshowpoint << 1.0;
输出“1.00”,即使我从未设置宽度甚至指定std::noshowpoint
。如何实现理想的表现?
答案 0 :(得分:5)
最佳解决方案:
inline double twodec(double n) { return floor(n * 100 + 0.5) / 100; }
oss << twodec(1.0) << ' ' << twodec(1.009);
讨论
来自http://www.cplusplus.com/reference/ios/fixed/(italics mine)
当floatfield设置为fixed时,浮点值使用定点表示法写入,这意味着该值用表示精确字段指定的小数部分中的数字,并且没有指数部分。
所以,“修复”不起作用。
那就是说,我能想到做你想做的事的唯一方法是:
floor(n * 100 + 0.5) / 100
),然后使用默认表示(即不指定固定或科学或精确 - 如果fixed
或scientific
实际上,首先用std::cout.unsetf(std::ios::floatfield)
)清除它们。ostringstream
,然后删除尾随的0和任何“。” (非常可怕)。答案 1 :(得分:1)
根据Tony的回答,这是我的最终解决方案:
template <typename T>
std::string stringForNumber( T f, int precision /* = 0 */, bool fixedWidth /*= false*/ )
{
std::ostringstream ss;
ss.setf(std::ios_base::fixed);
if (precision > 0)
ss << std::setprecision(precision);
ss << f;
std::string str(ss.str());
if (!fixedWidth) // Removing trailing 0
{
const auto pointLocation = str.find_first_of(".,");
if (pointLocation != std::string::npos)
{
const auto lastZeroPos = str.find_last_of('0');
const auto lastNotZeroPos = str.find_last_not_of('0');
if (lastNotZeroPos == pointLocation) // Integer number
str.erase(pointLocation);
else if (lastZeroPos != std::string::npos && lastNotZeroPos != std::string::npos && pointLocation < lastZeroPos && lastNotZeroPos < lastZeroPos)
{
str.erase(lastNotZeroPos+1);
}
}
}
return str;
}