0

当我调用存储过程以更新/插入Configuration表时,我的 C# 代码中出现死锁异常。

存储过程将SP_Update_Configuration插入新记录或更新现有记录。

触发器被设置为在历史表中保留以前记录的历史。如果Configuration表有更新或插入,那么它应该将该记录添加到Configuration_History表中。

我相信触发器导致了僵局?在添加触发器之前我没有任何问题....有什么想法吗?

我正在使用 SQL Server 2012 Express。

这是我的 SQL 示例:

CREATE PROCEDURE SP_Update_Configuration
( 
--Input variables
) 
AS
BEGIN TRANSACTION
DECLARE @RetCode INT
DECLARE @RowCnt INT
    --Standard Update Logic
SELECT @RowCnt = @@ROWCOUNT

IF @@ERROR <> 0
   BEGIN
    ROLLBACK TRAN
    SET @RetCode = 5
    RETURN @RetCode
   END

IF @RowCnt = 0
    BEGIN
        --Standard Insert Logic
    END

IF @@ERROR <> 0
   BEGIN
    ROLLBACK TRAN
    SET @RetCode = 5
    RETURN @RetCode
   END

COMMIT TRANSACTION
GO

create trigger dbo.Configuration_Log_Insert 
on dbo.Configuration
  for insert
as
  set nocount on
  insert into Configuration_History
    select *
      from Configuration
go

exec sp_settriggerorder @triggername = 'Configuration_Log_Insert', @order = 'last', @stmttype = 'insert'  

create trigger dbo.Configuration_Log_Update 
on dbo.Configuration
  for update
as
  set nocount on
  insert into Configuration_History
    select *
      from Configuration
go

exec sp_settriggerorder @triggername = 'Configuration_Log_Update', @order = 'last', @stmttype = 'update'
4

1 回答 1

1
SELECT @RowCnt = @@ROWCOUNT

IF @@ERROR <> 0

在这里你有麻烦,因为@@ERROR是错误代码

SELECT @RowCnt = @@ROWCOUNT

你可以这样做:

SELECT @RowCnt = @@ROWCOUNT, @error = @@ERROR

IF @error <> 0

在触发器中你有

  insert into Configuration_History
    select *
      from Configuration

但必须是

  insert into Configuration_History
    select *
      from inserted 
于 2013-01-17T16:53:42.033 回答