19

我想知道从一种可空类型转换为另一种“兼容”可空类型的最佳方式(从更安全和简洁的意义上讲)是什么。

具体来说,从十进制转换?翻倍?可以使用:

public double? ConvertToNullableDouble(decimal? source)
{
    return source.HasValue ? Convert.ToDouble(source) : (double?) null;
}

有没有更好的方法来做到这一点?也许利用标准转换?

4

2 回答 2

36

内置铸件为胜利!刚刚在 VS2012VS2010 中测试过:

 decimal? numberDecimal = new Decimal(5); 
 decimal? nullDecimal = null;
 double? numberDouble = (double?)numberDecimal; // = 5.0
 double? nullDouble = (double?)nullDecimal;     // = null

仅使用显式转换会将 null 转换为 null,并将内部十进制值转换为 double。成功!

于 2013-05-02T21:14:41.093 回答
1

通常,如果您想从任何数据类型转换为其他数据类型,只要它们兼容,请使用以下命令:

    Convert.ChangeType(your variable, typeof(datatype you want convert to));

例如:

    string str= "123";
    int value1 = (int)Convert.ChangeType(str, typeof(int));
    float? value2 = (float?)Convert.ChangeType(str, typeof(float));
    ...................................

更进一步,如果你想让它更安全,你可以添加一个 try catch :

string str= "123";
try
{
    int value1 = (int)Convert.ChangeType(str, typeof(int));
    int? value2 = (int?)Convert.ChangeType(str, typeof(int));
    float value3 = (float)Convert.ChangeType(str, typeof(float));
    float? value4 = (float?)Convert.ChangeType(str, typeof(float));
}
catch(Exception ex)
{
  // do nothing, or assign a default value
}

这是在 VS 2010 下测试的

于 2013-05-02T21:28:13.393 回答