1

这里:

#include <iostream>
#include <cstdlib>
#include <boost/lexical_cast.hpp>

int main(void) {
    const char * str = "277499.84";

    std::cout << boost::lexical_cast<double>(str) << std::endl;
    std::cout << strtof(str, NULL) << std::endl;
    std::cout << strtold(str, NULL) << std::endl;
    std::cout << atof(str) << std::endl;

    return 0;
}

输出:

277500
277500
277500
277500

为什么输出不是 277499.84?

4

1 回答 1

3

失去准确性的不是操作本身,而是输出

您可以使用 I/O 操纵器std::setprecision来控制数值精度。以下将使用双精度的完整精度(假设流设置为十进制输出)。

double value = boost::lexical_cast<double>(str);
std::cout << std::setprecision( std::numeric_limits<double>::digits10 + 1 ) << value;

或者你可以使用std::ios_base::precision. 如果您想在之后将精度恢复到原始值,这很有用。

auto old_precision = cout.precision( std::numeric_limits<double>::digits10 + 1 );
cout << value;
cout.precision( old_precision );
于 2016-04-23T11:30:11.010 回答