11

假设我有一个float. 我想将它四舍五入到一定数量的有效数字。

就我而言n=6

所以说浮动是f=1.23456999;

round(f,6)会给1.23457

f=123456.0001 会给123456

有人知道这样的套路吗?

它适用于网站: http: //ostermiller.org/calc/significant_figures.html

4

6 回答 6

9

将数字乘以合适的比例因子,将所有有效数字移到小数点左侧。然后取整,最后逆运算:

#include <math.h>

double round_to_digits(double value, int digits)
{
    if (value == 0.0) // otherwise it will return 'nan' due to the log10() of zero
        return 0.0;

    double factor = pow(10.0, digits - ceil(log10(fabs(value))));
    return round(value * factor) / factor;   
}

测试:http: //ideone.com/fH5ebt

但是正如@PascalCuoq 指出的那样:四舍五入的值可能不能完全表示为浮点值。

于 2012-10-26T21:01:50.523 回答
5
#include <stdio.h> 
#include <string.h>
#include <stdlib.h>

char *Round(float f, int d)
{
    char buf[16];
    sprintf(buf, "%.*g", d, f);
    return strdup(buf);
}

int main(void)
{
    char *r = Round(1.23456999, 6);
    printf("%s\n", r);
    free(r);
}

输出是:

1.23457

于 2012-10-26T21:02:29.890 回答
3

像这样的东西应该工作:

double round_to_n_digits(double x, int n)
{ 
    double scale = pow(10.0, ceil(log10(fabs(x))) + n);

    return round(x * scale) / scale;
}

或者,您可以只使用sprintf/atof转换为字符串并再次返回:

double round_to_n_digits(double x, int n)
{ 
    char buff[32];

    sprintf(buff, "%.*g", n, x);

    return atof(buff);
}

上述两个功能的测试代码:http: //ideone.com/oMzQZZ


请注意,在某些情况下可能会观察到不正确的舍入,例如@clearScreen在下面的评论中指出,13127.15 舍入为 13127.1 而不是 13127.2。

于 2012-10-26T21:00:37.383 回答
2

这应该有效(浮点精度给出的噪声除外):

#include <stdio.h>
#include <math.h>

double dround(double a, int ndigits);

double dround(double a, int ndigits) {

  int    exp_base10 = round(log10(a));
  double man_base10 = a*pow(10.0,-exp_base10);
  double factor     = pow(10.0,-ndigits+1);  
  double truncated_man_base10 = man_base10 - fmod(man_base10,factor);
  double rounded_remainder    = fmod(man_base10,factor)/factor;

  rounded_remainder = rounded_remainder > 0.5 ? 1.0*factor : 0.0;

  return (truncated_man_base10 + rounded_remainder)*pow(10.0,exp_base10) ;
}

int main() {

  double a = 1.23456999;
  double b = 123456.0001;

  printf("%12.12f\n",dround(a,6));
  printf("%12.12f\n",dround(b,6));

  return 0;
}
于 2012-10-26T21:43:37.860 回答
2

如果要将浮点数打印到字符串,请使用 simple sprintf()。要将其输出到控制台,您可以使用printf()

printf("My float is %.6f", myfloat);

这将输出带有 6 位小数的浮点数。

于 2012-10-26T20:50:45.203 回答
-2

打印到 16 位有效数字。

double x = -1932970.8299999994;
char buff[100];
snprintf(buff, sizeof(buff), "%.16g", x);
std::string buffAsStdStr = buff;

std::cout << std::endl << buffAsStdStr ;
于 2015-07-20T22:50:46.283 回答