最佳答案
我想这样做:
myYear = record.GetValueOrNull<int?>("myYear"),
注意将可空类型作为泛型参数。
由于GetValueOrNull
函数可以返回null,我的第一次尝试是这样的:
public static T GetValueOrNull<T>(this DbDataRecord reader, string columnName)
where T : class
{
object columnValue = reader[columnName];
if (!(columnValue is DBNull))
{
return (T)columnValue;
}
return null;
}
但我现在得到的错误是:
类型'int?'必须是引用类型,以便在泛型类型或方法中使用它作为参数'T'
没错!Nullable<int>
是一个struct
!因此,我尝试将类约束更改为struct
约束(作为副作用,不能再返回null
):
public static T GetValueOrNull<T>(this DbDataRecord reader, string columnName)
where T : struct
现在是作业:
myYear = record.GetValueOrNull<int?>("myYear");
给出以下错误:
类型'int?'必须是一个非空值类型,以便在泛型类型或方法中使用它作为参数'T'
是否可以将可空类型指定为泛型参数?