3

当谈到 SQL 时,我是一个新手。在创建具有以下参数的存储过程时:

@executed           bit,
@failure            bit,
@success            bit,
@testID             int,
    @time               float = 0,
@name               varchar(200) = '',
@description        varchar(200) = '',
@executionDateTime  nvarchar(max) = '',
@message            nvarchar(max) = ''

这是 T-SQL 中默认值的正确形式吗?我尝试使用 NULL 而不是 ''。

当我尝试通过 C# 执行此过程时,我收到一个错误,指的是预期但未提供描述这一事实。当这样调用它时:

        cmd.Parameters["@description"].Value = result.Description;

结果。描述为空。这不应该在 SQL 中默认为 NULL(在我的情况下是 '')吗?

这是调用命令:

        cmd.CommandText = "EXEC [dbo].insert_test_result @executed,
                           @failure, @success, @testID, @time, @name, 
                           @description, @executionDateTime, @message;";

        ...
        cmd.Parameters.Add("@description", SqlDbType.VarChar);
        cmd.Parameters.Add("@executionDateTime", SqlDbType.VarChar);
        cmd.Parameters.Add("@message", SqlDbType.VarChar);

        cmd.Parameters["@name"].Value = result.Name;
        cmd.Parameters["@description"].Value = result.Description;
        ...

        try
        {
            connection.Open();
            cmd.ExecuteNonQuery();
        }
        ...
        finally
        {
            connection.Close();
        }
4

3 回答 3

12

更好的方法是将 CommandText 更改为 SP 的名称,将 CommandType 更改为 StoredProcedure - 然后参数将更清晰地工作:

cmd.CommandText = "insert_test_result";
cmd.CommandType = CommandType.StoredProcedure;

这也允许通过名称而不是位置更简单地传递。

通常,ADO.NET 需要 DBNull.Value,而不是 null。我只是使用一种方便的方法循环我的参数并用 DBNull.Value 替换任何空值 - 就像(包装的)一样简单:

    foreach (IDataParameter param in command.Parameters)
    {
        if (param.Value == null) param.Value = DBNull.Value;
    }

然而!用 null 指定一个值与让它采用默认值是不同的。如果您希望它使用默认值,请不要在命令中包含该参数。

于 2008-09-30T21:02:34.030 回答
0

如果您不使用命名参数,MSSQL 将按接收顺序(按索引)获取参数。我认为在 cmd 对象上有一个选项。

所以你的 SQL 应该更像

EXEC [dbo].insert_test_result 
@executed = @executed,
@failure = @failure, 
@success = @success, 
@testID = @testID, 
@time = @time, 
@name = @name, 
@description = @description, 
@executionDateTime = @executionDateTime, 
@message = @message;
于 2008-09-30T21:07:27.093 回答
0

cmd.CommandText = "insert_test_result";
cmd.Parameters.Add(new SQLParameter("@description", result.Description));
cmd.Parameters.Add(new SQLParameter("@message", result.Message));
try
{
     connection.Open();
     cmd.ExecuteNonQuery();
}
finally
{
     connection.Close();
}
于 2008-10-04T00:23:48.293 回答