使用C#6我有以下型号:
public class Model {
public Int32? Result { get; set; }
}
我有以下(示例代码):
Model model = new Model();
Int32 result = model.Result.Value;
如果Result为null我收到错误,所以我需要使用:
Int32 result = model.Result.HasValue ? model.Result.Value : 0;
在C#6中有更短的方法吗?
答案 0 :(得分:8)
您可以使用null-propagating运算符和null条件运算符来提供默认值。
Model modelWithNullValue = new Model();
Model modelWithValue = new Model { Result = 1};
Model modelThatIsNull = null;
Int32 resultWithNullValue = modelWithNullValue?.Result ?? -1;
Int32 resultWithValue = modelWithValue?.Result ?? -1;
Int32 resultWithNullModel = modelThatIsNull?.Result ?? -2;
Console.WriteLine(resultWithNullValue); // Prints -1
Console.WriteLine(resultWithValue); // Prints 1
Console.WriteLine(resultWithNullModel); // Prints -2
编辑:从C#7.2开始,以下语法也适用于在这种情况下设置默认值。
Model badModel = null;
var result = badModel?.Result ?? default;
var pre72 = badModel.Result ?? default(int);
Console.WriteLine(result); // 0
Console.WriteLine(result.GetType().Name); // Int32