使用 Decimal.Round ,我只能在 ToEvenAwayFromZero 之间进行选择,现在我想将它始终舍入到较小的数字,即像截断一样,删除超出所需小数的数字:

public static void Main()
{
    Console.WriteLine("{0,-10} {1,-10} {2,-10}", "Value", "ToEven", "AwayFromZero");
    for (decimal value = 12.123451m; value <= 12.123459m; value += 0.000001m)
        Console.WriteLine("{0} -- {1} -- {2}", value, Math.Round(value, 5, MidpointRounding.ToEven),
                       Math.Round(value, 5, MidpointRounding.AwayFromZero));
}

// output
12.123451 -- 12.12345 -- 12.12345
12.123452 -- 12.12345 -- 12.12345
12.123453 -- 12.12345 -- 12.12345
12.123454 -- 12.12345 -- 12.12345
12.123455 -- 12.12346 -- 12.12346
12.123456 -- 12.12346 -- 12.12346
12.123457 -- 12.12346 -- 12.12346
12.123458 -- 12.12346 -- 12.12346
12.123459 -- 12.12346 -- 12.12346

我只想将所有这些四舍五入为 12.12345 ,即保留 5 位小数,并截断剩余的小数。有一个更好的方法吗?

最佳答案

decimal.Truncate(value * (decimal)Math.Pow(10, 5)) / (decimal)Math.Pow(10, 5);

或者干脆
decimal.Truncate(value * 100000) / 100000;

应该通过将值左移 5 位,截断并移回 5 位来解决您的问题。

示例分 4 个步骤:
  • 1.23456 * 100000
  • 12345.6 decimal.Truncate
  • 12345 / 100000
  • 1.2345

  • 不像第一种方法那么简单,但在我的设备上使用字符串并将其拆分至少快两倍。这是我的实现:
    string[] splitted = value.ToString(CultureInfo.InvariantCulture).Split('.');
    string newDecimal = splitted[0];
    if (splitted.Length > 1)
    {
        newDecimal += ".";
        newDecimal += splitted[1].Substring(0, Math.Min(splitted[1].Length, 5));
    }
    decimal result = Convert.ToDecimal(newDecimal, CultureInfo.InvariantCulture);
    

    关于c# - 将十进制数四舍五入到较小的数字,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45547461/

    10-13 06:55