Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL Server - Simultaneous Inserts to the table from multiple clients - Check Limit and Block

We are recently facing one issue with simultaneous inserts into one of our sal server tables from multiple clients. I hope you guys can help us through.

We are using stored procedure to do the transactions. In that stored procedure, for each transaction, we calculate total sales so far. If the total sales is less than the set limit, then the transaction will be allowed. Otherwise, the transaction will be denied.

it works fine most of times. But, sometimes when multiple clients trying to do the transaction exactly at the same time, the limit check is failing as both the transactions get done.

Can you guys suggest how we can effectively enforce the limit all the time? Is there any better way to do that?

Thanks!

like image 700
sammy Avatar asked Feb 16 '13 19:02

sammy


1 Answers

I don't think it is possible to do this declaratively.

If all inserts are guaranteed to go through the stored procedure and the SaleValue is not updated once inserted then the following should work (I made up table and column names as these were not supplied in the initial question)

DECLARE @SumSaleValue MONEY

BEGIN TRAN

SELECT @SumSaleValue = SUM(SaleValue)
FROM dbo.Orders WITH (UPDLOCK, HOLDLOCK)
WHERE TransactionId = @TransactionId

IF @SumSaleValue > 1000
    BEGIN
    RAISERROR('Cannot do insert as total would exceed order limit',16,1);
    ROLLBACK;
    RETURN;
    END

/*Code for INSERT goes here*/

COMMIT

The HOLDLOCK gives serializable semantics and locks the entire range matching the TransactionId and the UPDLOCK prevents two concurrent transactions locking the same range thus reducing the risk of deadlocks.

An index on TransactionId,SaleValue would be best to support this query.

like image 69
Martin Smith Avatar answered Sep 28 '22 01:09

Martin Smith