0

伙计们!我一直在努力解决这个问题,到目前为止我还没有找到任何解决方案。

在下面的代码中,我用数字初始化了一个字符串。然后我使用 std::istringstream 将测试字符串内容加载到双精度中。然后我计算出这两个变量。

#include <string>
#include <sstream>
#include <iostream>

std::istringstream instr;

void main()
{
    using std::cout;
    using std::endl;
    using std::string;

    string test = "888.4834966";
    instr.str(test);

    double number;
    instr >> number;

    cout << "String test:\t" << test << endl;
    cout << "Double number:\t" << number << endl << endl;
    system("pause");
}

当我运行 .exe 时,它​​看起来像这样:

字符串测试:888.4834966
双数 888.483
按任意键继续。. .

该字符串有更多数字,看起来 std::istringstream 仅加载了 10 个中的 6 个。如何将所有字符串加载到 double 变量中?

4

3 回答 3

5
#include <string>
#include <sstream>
#include <iostream>
#include <iomanip>

std::istringstream instr;

int main()
{
    using std::cout;
    using std::endl;
    using std::string;

    string test = "888.4834966";
    instr.str(test);

    double number;
    instr >> number;

    cout << "String test:\t" << test << endl;
    cout << "Double number:\t" << std::setprecision(12) << number << endl << endl;
    system("pause");

    return 0;
}

它读取所有数字,只是没有全部显示出来。您可以使用std::setprecision(在 中找到iomanip)来更正此问题。另请注意,这void main不是您应该使用的标准int main(并从中返回 0)。

于 2013-07-10T20:29:59.710 回答
1

您的输出精度可能只是没有显示number. 有关如何格式化输出精度的信息,请参阅此链接。

于 2013-07-10T20:29:05.857 回答
1

您的双重价值是888.4834966,但是当您使用时:

cout << "Double number:\t" << number << endl << endl;

它使用双精度的默认精度,手动设置它使用:

cout << "Double number:\t" << std::setprecision(10) << number << endl << endl;
于 2013-07-10T20:59:08.503 回答