Rel*_*ity 177 c# dbnull sqlparameter
以下代码给出了一个错误 - "没有从DBnull到int的隐式转换".
SqlParameter[] parameters = new SqlParameter[1];    
SqlParameter planIndexParameter = new SqlParameter("@AgeIndex", SqlDbType.Int);
planIndexParameter.Value = (AgeItem.AgeIndex== null) ? DBNull.Value : AgeItem.AgeIndex;
parameters[0] = planIndexParameter;
Chr*_*lor 315
问题是?:操作员无法确定返回类型,因为要么返回int值不兼容的值或DBNull类型值.
您当然可以将AgeIndex的实例转换为object满足?:要求的类型.
您可以使用??null-coalescing运算符,如下所示
SqlParameter[] parameters = new SqlParameter[1];     
SqlParameter planIndexParameter = new SqlParameter("@AgeIndex", SqlDbType.Int);
planIndexParameter.Value = (object)AgeItem.AgeIndex ?? DBNull.Value;
parameters[0] = planIndexParameter; 
下面是从报价MSDN文档的?:操作,说明问题
first_expression和second_expression的类型必须相同,或者从一种类型到另一种类型必须存在隐式转换.
Bri*_*ian 93
接受的答案建议使用演员阵容.但是,大多数SQL类型都有一个特殊的Null字段,可用于避免此强制转换.
例如,SqlInt32.Null"表示可以分配给此SqlInt32类实例的DBNull".
int? example = null;
object exampleCast = (object) example ?? DBNull.Value;
object exampleNoCast = example ?? SqlInt32.Null;
Sha*_*zim 28
除非在存储过程中指定了默认值(如果使用存储过程),否则需要在SQLCommand中将DBNull.Value作为空参数传递.最好的方法是在查询执行之前为任何缺少的参数分配DBNull.Value,并且在foreach之后将执行该任务.
foreach (SqlParameter parameter in sqlCmd.Parameters)
{
    if (parameter.Value == null)
    {
        parameter.Value = DBNull.Value;
    }
}
否则改变这一行:
planIndexParameter.Value = (AgeItem.AgeIndex== null) ? DBNull.Value : AgeItem.AgeIndex;
如下:
if (AgeItem.AgeIndex== null)
    planIndexParameter.Value = DBNull.Value;
else
    planIndexParameter.Value = AgeItem.AgeIndex;
因为在条件语句中不能使用不同类型的值,因为DBNull和int彼此不同.希望这会有所帮助.
Adr*_*ian 19
使用一行代码,试试这个:
var piParameter = new SqlParameter("@AgeIndex", AgeItem.AgeIndex ?? (object)DBNull.Value);
试试这个:
SqlParameter[] parameters = new SqlParameter[1];    
SqlParameter planIndexParameter = new SqlParameter("@AgeIndex", SqlDbType.Int);
planIndexParameter.IsNullable = true; // Add this line
planIndexParameter.Value = (AgeItem.AgeIndex== null) ? DBNull.Value : AgeItem.AgeIndex== ;
parameters[0] = planIndexParameter;
如果使用条件(三元)运算符,则编译器需要在这两种类型之间进行隐式转换,否则会出现异常。
因此,您可以通过将以下两者之一转换为System.Object:
planIndexParameter.Value = (AgeItem.AgeIndex== null) ? DBNull.Value : (object) AgeItem.AgeIndex;
但是由于结果不是很漂亮,并且您始终必须记住这种转换,因此可以改用以下扩展方法:
public static object GetDBNullOrValue<T>(this T val)
{
    bool isDbNull = true;
    Type t = typeof(T);
    if (Nullable.GetUnderlyingType(t) != null)
        isDbNull = EqualityComparer<T>.Default.Equals(default(T), val);
    else if (t.IsValueType)
        isDbNull = false;
    else
        isDbNull = val == null;
    return isDbNull ? DBNull.Value : (object) val;
}
然后,您可以使用以下简洁代码:
planIndexParameter.Value = AgeItem.AgeIndex.GetDBNullOrValue();
| 归档时间: | 
 | 
| 查看次数: | 258633 次 | 
| 最近记录: |