我是C#的新手(来自大学的Java/C++,所以我想这并不是什么新鲜事),但对于一个项目,我需要比较小数。
例如
a = 1234.123
b = 1234.142
Decimal.Compare()
当然会说它们不一样,因为a小于b。我想做的是将其与小数点后第一位(1和1)进行比较,这样它就会返回true。
我唯一能想到的方法是将其转换为使用Decimal.GetBits()
,但我希望有一种我还没有想到的更简单的方法。
您可以将十进制四舍五入到一个小数位数,然后进行比较。
if (Decimal.Round(d1,1) == Decimal.Round(d2,1))
Console.WriteLine("Close enough.");
而且,如果四舍五入(使用默认中点处理)不是您想要的,那么Decimal
类型也可以与所有其他选项一起使用,就像我在前面的回答中介绍的那些选项一样。
您可以使用Math.Truncate(Decimal)
(MSDN)
计算指定小数的整数部分。
编码示例。
Decimal a = 1234.123m;
Decimal b = 1234.142m;
Decimal A = Math.Truncate(a * 10);
Console.WriteLine(A);// <= Will out 12341
Decimal B = Math.Truncate(b * 10);
Console.WriteLine(B);// <= Will out 12341
Console.WriteLine(Decimal.Compare(A, B)); // Will out 0 ; A and B are equal. Which means a,b are equal to first decimal place
注意:这是经过测试并发布的。
同样简单的单行比较:
Decimal a = 1234.123m;
Decimal b = 1234.142m;
if(Decimal.Compare(Math.Truncate(a*10),Math.Truncate(b*10))==0){
Console.WriteLine("Equal upto first decimal place"); // <= Will out this for a,b
}