我正在尝试构建一些查询,并使用C#将包含7列的列表插入到SQL表中。 在我的列表中,我有几列的NULL值,我无法将它们传递给以下查询
string strInsertListToTable = @"INSERT INTO ImpliedOutrightData (id,product,term,bid,offer,bidcp,offercp) VALUES(@id,@product,@term,@bid,@offer,@bidcp,@offercp)";
for (int i = 0; i < resultList.Count; i++)
{
SqlCommand cmdInsertList = new SqlCommand(strInsertListToTable, sqlcon);
cmdInsertList.CommandType = CommandType.Text;
cmdInsertList.Parameters.Clear();
cmdInsertList.Parameters.AddWithValue("@id", resultList[i].id);
cmdInsertList.Parameters.AddWithValue("@product", resultList[i].product);
cmdInsertList.Parameters.AddWithValue("@term", resultList[i].term);
cmdInsertList.Parameters.AddWithValue("@bid", resultList[i].bid);
cmdInsertList.Parameters.AddWithValue("@offer", resultList[i].offer);
cmdInsertList.Parameters.AddWithValue("@bidcp",resultList[i].bidcp);
cmdInsertList.Parameters.AddWithValue("@offercp", resultList[i].offercp);
cmdInsertList.ExecuteNonQuery();
}
虽然上面的查询循环我得到错误
The parameterized query '(@id int,@product nvarchar(2),@term nvarchar(5),@bid float,@bidc' expects the parameter '@offercp', which was not supplied.
答案 0 :(得分:3)
您需要使用DBNull.Value
。我写了这个扩展方法:
public static SqlParameter AddNullSafe(this SqlParameterCollection parameters, SqlParameter value)
{
if (value != null)
{
if (value.Value == null)
{
value.Value = DBNull.Value;
}
return parameters.Add(value);
}
return null;
}
答案 1 :(得分:2)
如果您怀疑某个值可能为null,则可以使用DBNull
来指示该参数的空值:
cmdInsertList.Parameters.AddWithValue("@offercp",
resultList[i].offercp ?? DBNull.Value);
答案 2 :(得分:2)
当参数的值为null
时,您应将相应的值设置为DbNull.Value
:
cmdInsertList.Parameters.AddWithValue(
"@offercp"
, resultList[i].offercp == null ? (object)DbNull.Value : resultList[i].offercp
);
注意转换为object
- 你需要这样做,以便条件的两边评估为相同的类型。