65.9K
CodeProject is changing. Read more.
Home

Usage of @@Error within a transaction

starIconstarIconstarIconstarIconemptyStarIcon

4.00/5 (1 vote)

Jan 29, 2013

CPOL
viewsIcon

8836

Using @@Error within a transaction.

@@ERROR returns an error number of the last statement executed. When the last executed statement completes successfully, this returns 0. In case of any error, the error number will be returned.

Example:

Declare @n int, @d int
Set @n=10
Set @d=0
Select @n/@d
PRINT @@ERROR

I am going to show you a common mistake most developers do when using @@ERROR and PRINT. In fact I did so too, and that’s why I am able to write this blog.

Let’s take a look at an example:

Create table tblPrintErr(rowId tinyint)
Begin Tran
Insert into tblPrintErr(rowId) values (1)
PRINT @@ERROR
Insert into tblPrintErr(rowId) values (300) // This statement will generate an error as 300 is not a tinyint 
PRINT @@ERROR
IF @@ERROR = 0 
BEGIN
    COMMIT TRAN
END
ELSE 
BEGIN
    ROLLBACK TRAN
END

I am forcefully creating an error in order to rollback the transaction, but what really happened was the transaction got committed. Let’s see what caused for the transaction to commit instead of rollback.

PRINT @@ERROR statement next to the insert query is what caused the transaction to commit. When the IF @@ERROR = 0 statement executed, the last executed statement was PRINT @@ERROR, and since this statement executed without error, @@ERROR holds a value of 0 and the transaction went into commit.

You need to be careful when you use @@ERROR. In order to avoid the above discussed behaviour, use a local variable to hold the value of @@ERROR.

Example:

Declare @Errno int
Insert into tblPrintErr(rowId) values (300)
Set @Errno = @@ERROR
.
.
.
.
IF @Errno =0 
BEGIN
    … … … …  
END
ELSE 
BEGIN
    … … … …  
END