我试图将十进制值格式化(截断)到4位小数。例如,我想转换十进制数字,如
31.818181818181818181818181818M or 31.818181818181818181M or 31.81818M
到
31.8181
(不舍入至31.8182) 并将其存储到可以为空的十进制变量中。我试过关注decimal formatting without rounding .net和Stop Rounding In C# At A Certain Number 但是对于可以为空的小数字没有运气。
这是代码
private decimal? ReturnNullableDecimal(decimal? initValue)
{
//e.g. initValue = 35M;
initValue = 35M; //just to debug;
decimal? outputValue = null;
if (initValue != null)
outputValue = initValue / (decimal)1.10;
//now outputValue is 31.818181818181818181818181818M
outputValue = Convert.ToDecimal(string.Format("{0:0.0000}", outputValue)); // <- this should be 31.8181 but gives 31.8182
return outputValue;
}
有人可以帮忙吗?
答案 0 :(得分:2)
任何decimal
都可以隐式转换为decimal?
,因此相同的代码与截断的任何其他示例相同。如果您的输入也是decimal?
,那么您必须在那里检查是否为空。
private decimal? ReturnNullableDecimal(decimal? initValue)
{
if (initValue.HasValue)
return Math.Truncate(10000 * initValue.Value) / 10000;
else
return null;
}
答案 1 :(得分:0)
根据接受的答案,我创建了一个扩展
namespace your.namespace.Extensions
{
public static class NullableDecimalExtension
{
public static decimal? FormatWithNoRoundingDecimalPlaces(this decimal? initValue, int decimalPlaces)
{
if (decimalPlaces < 0)
{
throw new ArgumentException("Invalid number. DecimalPlaces must be greater than Zero");
}
if (initValue.HasValue)
return (decimal?)(Math.Truncate(Math.Pow(10, decimalPlaces) * (double)initValue.Value) / Math.Pow(10, decimalPlaces));
else
return null;
}
}
}
使用方法: 加 使用your.namespace.Extensions;到班级
然后在调用方法中它可以直接调用
e.g。
initValue = 35M;
decimal? outputValue = (initValue / (decimal)1.10).FormatWithNoRoundingDecimalPlaces(4);
//now the outputValue = 31.8181
如果我们需要获得2位小数,只需使用.FormatWithNoRoundingDecimalPlaces(2);