C#对负指数双值进行四舍五入

本文关键字:四舍五入 负指数 | 更新日期: 2023-09-27 18:29:01

我尝试了所有方法,但无法将具有很长十进制值(指数)的负双精度值四舍五入到小数点后6位。

string str = "-1.7976931348623157E+308";
double d = double.Parse(str);
d = Math.Round(d, 6, MidpointRounding.AwayFromZero);
string str2 = d.ToString();

我想得到-1.797693,就这么简单!

C#对负指数双值进行四舍五入

注意,正如LittleBobbyTables所建议的,1.xxE+308不可能四舍五入到1.xx。但假设你不是这个意思,你只是想构建你的输出:
string str2 = d.ToString("E6");

其中,E6中的数字是您希望在E表示法之前显示的数字量。

对于上面的示例,str2的值为"-1.797693E+308"

如果你真的需要四舍五入你的值(我真的不确定你为什么要这样做——为什么要放弃精度?这不会妨碍你),你应该保持Round调用的原样。

我写的这段代码基于有效位数进行舍入:

/// <summary>
/// Format a number with scientific exponents and specified sigificant digits.
/// </summary>
/// <param name="x">The value to format</param>
/// <param name="significant_digits">The number of siginicant digits to show</param>
/// <returns>The fomratted string</returns>
public static string Sci(this double x, int significant_digits)
{
    //Check for special numbers and non-numbers
    if (double.IsInfinity(x)||double.IsNaN(x)||x==0)
    {
        return x.ToString();
    }
    // extract sign so we deal with positive numbers only
    int sign=Math.Sign(x);
    x=Math.Abs(x);
    // get scientific exponent, 10^3, 10^6, ...
    int sci=(int)Math.Floor(Math.Log(x, 10)/3)*3;
    // scale number to exponent found
    x=x*Math.Pow(10, -sci);
    // find number of digits to the left of the decimal
    int dg=(int)Math.Floor(Math.Log(x, 10))+1;
    // adjust decimals to display
    int decimals=Math.Min(significant_digits-dg, 15);
    // format for the decimals
    string fmt=new string('0', decimals);
    if (sci==0)
    {
        //no exponent
        return string.Format("{0}{1:0."+fmt+"}",
            sign<0?"-":string.Empty,
            Math.Round(x, decimals));
    }
    int index=sci/3+6;
    // with 10^exp format
    return string.Format("{0}{1:0."+fmt+"}e{2}",
        sign<0?"-":string.Empty,
        Math.Round(x, decimals),
        sci);
}

使得Debug.WriteLine((-1.7976931348623157E+308).Sci(7));产生-179.7693e306