-2

我正在尝试将输出输出到文件,例如:

1.11111
11.1111
111.111
1111.11
111111

换句话说,我尝试设置我的输出的重要性,而不是我的精度。我试过了

oFile <<setprecision(6);

fprintf(oFile, "%6f", varName);

无济于事。

任何帮助深表感谢。

干杯

编辑:对不起,不完整的问题。这是一个最小、完整且可验证的示例:

#include<iostream>
#include<fstream>
#include<iomanip>

using namespace std;
int main() {
    ofstream oFile("output.dat");
    float var1 = 10.9993;
    float var2 = 11;
    oFile << var1 << endl;
    oFile << var2 << endl;
    oFile << std::setprecision(6) << var2 - var1 <<endl; //10.9993 - 11 = -0.000699997
    oFile.close();
    /* 
     * output
     * 10.9993
     * 11
     * 0.000699997
    */
    FILE * oFile2;
    oFile2 = fopen("output2.dat","w");
    fprintf(oFile2, "%6f \n%6f \n%6f \n",var1, var2, var2-var1);
    fclose(oFile2);
    /*
     * output
     * 10.999300 
     * 11.000000 
     * 0.000700 
    */
}

因此,无论精度如何,我都希望在每种情况下最多有 6 个有效数字,即:

10.9993
11 or 11.0000 that does not matter
0.00070

好的,所以我最终将每个变量乘以小数点,减去并除以小数点。这似乎有效。疯狂的是,似乎没有在 C++ 中设置重要性的功能。

4

2 回答 2

0

我不是 100% 确定这是否是您要求的,但我设法得到了结果

1.11111
11.1111
111.111
1111.11
11111.1
111111

使用以下代码:

double test=1.11111;
for(int j=0;j<6;j++)
{
    cout<<test<<endl;
    test*=10;
}

对于这种情况,不需要 iomanip 或更改任何精度。

于 2014-04-22T15:07:29.990 回答
0

这是设置双精度值的代码,其位数比您想要显示的多,以及两种获得所需内容的技术。

#include <iostream>
#include <iomanip>
#include <stdio.h>

int main(){
  double d[6] = { 1.1111123, 11.111123, 111.11123,
                  1111.1123, 11111.123, 111111.23 };

  for( int i = 0; i < 6; i++ ){
    std::cout << std::setprecision(6) << d[i] << std::endl;
  }

  for( int i = 0; i < 6; i++ ){
    char buf[20];
    sprintf( buf, "%6g", d[i] );
    std::cout << buf << std::endl;
  }
  {
    char buf[20];
    sprintf( buf, "%6g", d[1]-d[0] );
    std::cout << buf << std::endl;
  }
}

可以改进,但它显示了基本成分。

之后

d[0] = 10.9993;
d[1] = 11;
d[2] = d[1] - d[0];
for( int i = 0; i < 3; i++ ){
  std::cout << std::setprecision(6) << d[i] << std::endl;
}
std::cout << std::setprecision(6) << d[1]-d[0] << std::endl;

for( int i = 0; i < 3; i++ ){
  char buf[20];
  sprintf( buf, "%6g", d[i] );
  std::cout << buf << std::endl;
}

这产生

10.9993
11
0.0007
0.0007
10.9993
    11
0.0007
0.0007
于 2014-04-22T15:22:13.543 回答