Training
Iterate through a SQL Server result set in T-SQL without using a cursor
This article describes methods that you can use to iterate through a result set by using Transact-SQL in SQL Server.
Original product version: SQL Server
Original KB number: 111401
This article describes methods that you can use to simulate a cursor-like FETCH
-NEXT
logic in a stored procedure, trigger, or Transact-SQL batch.
Here are three methods you can use to iterate through a result set by using Transact-SQL statements. The examples below use the Production.Product table from the AdventureWorks sample database
One method is the use of temp tables. With this method, you create a snapshot of the initial SELECT
statement and use it as a basis for cursoring. For example:
/********** example 1 **********/
SET NOCOUNT ON
DROP TABLE IF EXISTS #MYTEMP
DECLARE @ProductID int
SELECT * INTO #MYTEMP FROM Production.Product
SELECT TOP(1) @ProductID = ProductID FROM #MYTEMP
WHILE @@ROWCOUNT <> 0
BEGIN
SELECT * FROM #MYTEMP WHERE ProductID = @ProductID
DELETE FROM #MYTEMP WHERE ProductID = @ProductID
SELECT TOP(1) @ProductID = ProductID FROM #MYTEMP
END
A second method is to use the min
function to walk a table one row at a time. This method catches new rows that were added after the stored procedure begins execution, provided that the new row has a unique identifier greater than the current row that is being processed in the query. For example:
/********** example 2 **********/
SET NOCOUNT ON
DROP TABLE IF EXISTS #MYTEMP
DECLARE @ProductID int
SELECT @ProductID = min( ProductID ) FROM Production.Product
WHILE @ProductID IS NOT NULL
BEGIN
SELECT * FROM Production.Product WHERE ProductID = @ProductID
SELECT @ProductID = min( ProductID ) FROM Production.Product WHERE ProductID > @ProductID
END
Note
Both example 1 and 2 assume that a unique identifier exists for each row in the source table. In some cases, no unique identifier may exist. If that's the case, you can modify the temp table method to use a newly created key column. For example:
/********** example 3 **********/
SET NOCOUNT ON
DROP TABLE IF EXISTS #MYTEMP
SELECT NULL AS mykey, * INTO #MYTEMP FROM Production.Product
UPDATE TOP(1) #MYTEMP SET mykey = 1
WHILE @@ROWCOUNT > 0
BEGIN
SELECT * FROM #MYTEMP WHERE mykey = 1
DELETE FROM #MYTEMP WHERE mykey = 1
UPDATE TOP(1) #MYTEMP SET mykey = 1
END
Additional resources
Documentation
-
WHILE (Transact-SQL) - SQL Server
WHILE sets a condition for the repeated execution of a SQL statement or statement block.
-
Variables (Transact-SQL) - SQL Server
A Transact-SQL local variable is an object that can hold a single data value of a specific type.
-
DECLARE @local_variable (Transact-SQL) - SQL Server
Transact-SQL reference for using DECLARE to define local variables for use in a batch or procedure.