Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL Server execute stored procedure in update statement

every updated record must have different value by using a procedure the procedure returns single integer value

declare @value int;
exec @value = get_proc param;
update table1 set field1 = @value;

this will work for one record but i want the procedure to get new value for each record

like image 528
Alaa Jabre Avatar asked Dec 08 '25 19:12

Alaa Jabre


1 Answers

Just a quick example of how to use a TVF to perform this type of update:

USE tempdb;
GO

CREATE TABLE dbo.Table1(ID INT, Column1 INT);

INSERT dbo.Table1(ID)
    SELECT 1 UNION ALL SELECT 2 UNION ALL SELECT 3;
GO

CREATE FUNCTION dbo.CalculateNewValue
(@ID INT)
RETURNS TABLE
AS
    -- no idea what this logic would be,
    -- just showing an example

    RETURN(SELECT NewValue = @ID + 1);
GO

SELECT t1.ID, n.NewValue
    FROM dbo.Table1 AS t1 
    CROSS APPLY dbo.CalculateNewValue(t1.ID) AS n;

Results:

ID NewValue
-- --------
 1        2
 2        3
 3        4

Now an update that uses the same information:

UPDATE t1 SET Column1 = n.NewValue
    FROM dbo.Table1 AS t1 
    CROSS APPLY dbo.CalculateNewValue(t1.ID) AS n;

SELECT ID, Column1 FROM dbo.Table1;

Results:

ID Column1
-- -------
 1       2
 2       3
 3       4
like image 154
Aaron Bertrand Avatar answered Dec 11 '25 11:12

Aaron Bertrand



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!