How can I convert decimal? to decimal

巧了我就是萌 提交于 2019-12-03 06:28:25

问题


may be it is a simple question but I'm try all of conversion method! and it still has error! would you help me?

decimal? (nullable decimal) to decimal


回答1:


Try using the ?? operator:

decimal? value=12;
decimal value2=value??0;

0 is the value you want when the decimal? is null.




回答2:


There's plenty of options...

decimal? x = ...

decimal a = (decimal)x; // works; throws if x was null
decimal b = x ?? 123M; // works; defaults to 123M if x was null
decimal c = x.Value; // works; throws if x was null
decimal d = x.GetValueOrDefault(); // works; defaults to 0M if x was null
decimal e = x.GetValueOrDefault(123M); // works; defaults to 123M if x was null
object o = x; // this is not the ideal usage!
decimal f = (decimal)o; // works; throws if x was null; boxes otherwise



回答3:


You don't need to convert a nullable type to obtain its value.

You simply take advantage of the HasValue and Value properties exposed by Nullable<T>.

For example:

Decimal? largeValue = 5830.25M;

if (largeValue.HasValue)
{
    Console.WriteLine("The value of largeNumber is {0:C}.", largeValue.Value);
}
else
{
    Console.WriteLine("The value of largeNumber is not defined.");
}

Alternatively, you can use the null coalescing operator in C# 2.0 or later as a shortcut.




回答4:


It depends what you want to do if the decimal? is null, since a decimal can't be null. If you want to default that to 0, you can use this code (using the null coalescing operator):

decimal? nullabledecimal = 12;

decimal myDecimal = nullabledecimal ?? 0;



回答5:


You can use.

decimal? v = 2;

decimal v2 = Convert.ToDecimal(v);

If the value is null (v), it will be converted to 0.



来源:https://stackoverflow.com/questions/4871994/how-can-i-convert-decimal-to-decimal

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!