本篇内容介绍了“C#怎么实现真正的四舍五入”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!
C#实现真正的四舍五入
C#中的Math.Round()直接使用的话,实际上是:四舍六入五取偶,并不是真正意义上的四舍五入。
例如 我取2位小数 17.365
会变成17.36 很苦恼
实现真正四舍五入需要用到 MidpointRounding.AwayFromZero 枚举项,同时传入的数值类型必须是decimal类型:
用法示例:
decimal dd= Math.Round((decimal)66.545, 2, MidpointRounding.AwayFromZero);
还有2种比较残暴的 写个函数 正负数都可以四舍五入或者负数五舍六入
double Round(double value, int decimals)
{
if (value < 0)
{
return Math.Round(value + 5 / Math.Pow(10, decimals + 1), decimals, MidpointRounding.AwayFromZero);
}
else
{
return Math.Round(value, decimals, MidpointRounding.AwayFromZero);
}
}
double Round(double d, int i)
{
if(d >=0)
{
d += 5 * Math.Pow(10, -(i + 1));
}
else
{
d += -5 * Math.Pow(10, -(i + 1));
}
string str = d.ToString();
string[] strs = str.Split('.');
int idot = str.IndexOf('.');
string prestr = strs[0];
string poststr = strs[1];
if(poststr.Length > i)
{
poststr = str.Substring(idot + 1, i);
}
string strd = prestr + "." + poststr;
d = Double.Parse(strd);
return d;
}
参数:d表示要四舍五入的数;i表示要保留的小数点后为数。
其中第二种方法是正负数都四舍五入,第一种方法是正数四舍五入,负数是五舍六入。
备注:个人认为第一种方法适合处理货币计算,而第二种方法适合数据统计的显示。
C#简单四舍五入函数
public int getNum(double t) {
double t1;
int t2;
string[] s = t.ToString().Split('.');
string i = s[1].Substring(0, 1);//取得第一位小数
int j = Convert.ToInt32(i);
if (j >= 5)
t1 = Math.Ceiling(t); //向上 转换
else
t1 = Math.Floor(t);// 向下 转换
t2 = (int)t1;
return t2;
}
-
为四舍五入 的强制转换 但是 0.5时候 会为 0Convert.ToInt32(1.2)
-
是向下强制转换既Math.Floor(),1.2转换后为1;(int) 1.2
-
则是向上转换,得到2。Math.Ceiling(1.2)
版权声明:除特别声明外,本站所有文章皆是本站原创,转载请以超链接形式注明出处!