186

如何在不使用游标的情况下为表中的每一行调用存储过程,其中行的列是 sp 的输入参数?

4

17 回答 17

224

一般来说,我总是寻找一种基于集合的方法(有时以改变架构为代价)。

但是,这个片段确实有它的位置..

-- Declare & init (2008 syntax)
DECLARE @CustomerID INT = 0

-- Iterate over all customers
WHILE (1 = 1) 
BEGIN  

  -- Get next customerId
  SELECT TOP 1 @CustomerID = CustomerID
  FROM Sales.Customer
  WHERE CustomerID > @CustomerId 
  ORDER BY CustomerID

  -- Exit loop if no more customers
  IF @@ROWCOUNT = 0 BREAK;

  -- call your sproc
  EXEC dbo.YOURSPROC @CustomerId

END
于 2011-05-29T12:22:23.657 回答
40

您可以这样做:通过例如 CustomerID(使用 AdventureWorksSales.Customer示例表)对您的表进行排序,并使用 WHILE 循环遍历这些客户:

-- define the last customer ID handled
DECLARE @LastCustomerID INT
SET @LastCustomerID = 0

-- define the customer ID to be handled now
DECLARE @CustomerIDToHandle INT

-- select the next customer to handle    
SELECT TOP 1 @CustomerIDToHandle = CustomerID
FROM Sales.Customer
WHERE CustomerID > @LastCustomerID
ORDER BY CustomerID

-- as long as we have customers......    
WHILE @CustomerIDToHandle IS NOT NULL
BEGIN
    -- call your sproc

    -- set the last customer handled to the one we just handled
    SET @LastCustomerID = @CustomerIDToHandle
    SET @CustomerIDToHandle = NULL

    -- select the next customer to handle    
    SELECT TOP 1 @CustomerIDToHandle = CustomerID
    FROM Sales.Customer
    WHERE CustomerID > @LastCustomerID
    ORDER BY CustomerID
END

只要您可以ORDER BY在某些列上定义某种类型,这应该适用于任何表。

于 2009-11-01T10:44:30.487 回答
31
DECLARE @SQL varchar(max)=''

-- MyTable has fields fld1 & fld2

Select @SQL = @SQL + 'exec myproc ' + convert(varchar(10),fld1) + ',' 
                   + convert(varchar(10),fld2) + ';'
From MyTable

EXEC (@SQL)

好的,所以我永远不会将这样的代码投入生产,但它确实满足您的要求。

于 2012-12-14T22:32:26.473 回答
14

我会使用已接受的答案,但另一种可能性是使用表变量来保存一组编号的值(在这种情况下只是表的 ID 字段)并通过行号与表的 JOIN 循环遍历这些值检索循环内操作所需的任何内容。

DECLARE @RowCnt int; SET @RowCnt = 0 -- Loop Counter

-- Use a table variable to hold numbered rows containg MyTable's ID values
DECLARE @tblLoop TABLE (RowNum int IDENTITY (1, 1) Primary key NOT NULL,
     ID INT )
INSERT INTO @tblLoop (ID)  SELECT ID FROM MyTable

  -- Vars to use within the loop
  DECLARE @Code NVarChar(10); DECLARE @Name NVarChar(100);

WHILE @RowCnt < (SELECT COUNT(RowNum) FROM @tblLoop)
BEGIN
    SET @RowCnt = @RowCnt + 1
    -- Do what you want here with the data stored in tblLoop for the given RowNum
    SELECT @Code=Code, @Name=LongName
      FROM MyTable INNER JOIN @tblLoop tL on MyTable.ID=tL.ID
      WHERE tl.RowNum=@RowCnt
    PRINT Convert(NVarChar(10),@RowCnt) +' '+ @Code +' '+ @Name
END
于 2014-09-24T14:39:26.013 回答
12

马克的答案很好(如果我能弄清楚如何做,我会评论它!)
只是想我会指出改变循环可能会更好,所以SELECT只存在一次(在我需要的真实情况下这样做,SELECT是相当复杂的,写两次是一个冒险的维护问题)。

-- define the last customer ID handled
DECLARE @LastCustomerID INT
SET @LastCustomerID = 0
-- define the customer ID to be handled now
DECLARE @CustomerIDToHandle INT
SET @CustomerIDToHandle = 1

-- as long as we have customers......    
WHILE @LastCustomerID <> @CustomerIDToHandle
BEGIN  
  SET @LastCustomerId = @CustomerIDToHandle
  -- select the next customer to handle    
  SELECT TOP 1 @CustomerIDToHandle = CustomerID
  FROM Sales.Customer
  WHERE CustomerID > @LastCustomerId 
  ORDER BY CustomerID

  IF @CustomerIDToHandle <> @LastCustomerID
  BEGIN
      -- call your sproc
  END

END
于 2010-09-28T03:55:22.533 回答
8

如果可以将存储过程变成返回表的函数,那么就可以使用cross-apply。

例如,假设您有一张客户表,并且您想计算他们的订单总和,您将创建一个接受 CustomerID 并返回总和的函数。

你可以这样做:

SELECT CustomerID, CustomerSum.Total

FROM Customers
CROSS APPLY ufn_ComputeCustomerTotal(Customers.CustomerID) AS CustomerSum

函数的样子:

CREATE FUNCTION ComputeCustomerTotal
(
    @CustomerID INT
)
RETURNS TABLE
AS
RETURN
(
    SELECT SUM(CustomerOrder.Amount) AS Total FROM CustomerOrder WHERE CustomerID = @CustomerID
)

显然,上面的示例可以在单个查询中没有用户定义的函数的情况下完成。

缺点是函数非常有限 - 存储过程的许多功能在用户定义的函数中不可用,并且将存储过程转换为函数并不总是有效。

于 2010-09-16T21:01:58.473 回答
6

对于 SQL Server 2005 及更高版本,您可以使用CROSS APPLY和表值函数来执行此操作。

为清楚起见,我指的是那些可以将存储过程转换为表值函数的情况。

于 2009-11-01T10:31:19.620 回答
4

这是已经提供的答案的变体,但性能应该更好,因为它不需要 ORDER BY、COUNT 或 MIN/MAX。这种方法的唯一缺点是您必须创建一个临时表来保存所有 Id(假设您的 CustomerID 列表中存在空白)。

也就是说,我同意@Mark Powell 的观点,但一般来说,基于集合的方法应该会更好。

DECLARE @tmp table (Id INT IDENTITY(1,1) PRIMARY KEY NOT NULL, CustomerID INT NOT NULL)
DECLARE @CustomerId INT 
DECLARE @Id INT = 0

INSERT INTO @tmp SELECT CustomerId FROM Sales.Customer

WHILE (1=1)
BEGIN
    SELECT @CustomerId = CustomerId, @Id = Id
    FROM @tmp
    WHERE Id = @Id + 1

    IF @@rowcount = 0 BREAK;

    -- call your sproc
    EXEC dbo.YOURSPROC @CustomerId;
END
于 2016-03-11T01:15:26.090 回答
3

这是上述 n3rds 解决方案的变体。不需要使用 ORDER BY 进行排序,因为使用了 MIN()。

请记住,CustomerID(或您用于进度的任何其他数字列)必须具有唯一约束。此外,为了使其尽可能快,必须对 CustomerID 进行索引。

-- Declare & init
DECLARE @CustomerID INT = (SELECT MIN(CustomerID) FROM Sales.Customer); -- First ID
DECLARE @Data1 VARCHAR(200);
DECLARE @Data2 VARCHAR(200);

-- Iterate over all customers
WHILE @CustomerID IS NOT NULL
BEGIN  

  -- Get data based on ID
  SELECT @Data1 = Data1, @Data2 = Data2
    FROM Sales.Customer
    WHERE [ID] = @CustomerID ;

  -- call your sproc
  EXEC dbo.YOURSPROC @Data1, @Data2

  -- Get next customerId
  SELECT @CustomerID = MIN(CustomerID)
    FROM Sales.Customer
    WHERE CustomerID > @CustomerId 

END

我在需要查看的一些 varchars 上使用这种方法,首先将它们放在一个临时表中,给它们一个 ID。

于 2012-10-15T15:40:12.677 回答
1

如果您不使用游标,我认为您必须在外部进行(获取表,然后为每个语句运行并每次调用 sp)它与使用游标相同,但仅在外部SQL。你为什么不使用游标?

于 2009-11-01T10:26:26.577 回答
1

分隔符 //

CREATE PROCEDURE setFakeUsers (OUT output VARCHAR(100))
BEGIN

    -- define the last customer ID handled
    DECLARE LastGameID INT;
    DECLARE CurrentGameID INT;
    DECLARE userID INT;

    SET @LastGameID = 0; 

    -- define the customer ID to be handled now

    SET @userID = 0;

    -- select the next game to handle    
    SELECT @CurrentGameID = id
    FROM online_games
    WHERE id > LastGameID
    ORDER BY id LIMIT 0,1;

    -- as long as we have customers......    
    WHILE (@CurrentGameID IS NOT NULL) 
    DO
        -- call your sproc

        -- set the last customer handled to the one we just handled
        SET @LastGameID = @CurrentGameID;
        SET @CurrentGameID = NULL;

        -- select the random bot
        SELECT @userID = userID
        FROM users
        WHERE FIND_IN_SET('bot',baseInfo)
        ORDER BY RAND() LIMIT 0,1;

        -- update the game
        UPDATE online_games SET userID = @userID WHERE id = @CurrentGameID;

        -- select the next game to handle    
        SELECT @CurrentGameID = id
         FROM online_games
         WHERE id > LastGameID
         ORDER BY id LIMIT 0,1;
    END WHILE;
    SET output = "done";
END;//

CALL setFakeUsers(@status);
SELECT @status;
于 2012-05-30T18:06:51.217 回答
1

当它有很多行时,我通常会这样做:

  1. 使用 SQL Management Studio 选择数据集中的所有存储过程参数
  2. 右键->复制
  3. 粘贴到excel
  4. 在新的 excel 列中使用像 '="EXEC schema.mysproc @param=" & A2' 这样的公式创建单行 sql 语句。(其中 A2 是包含参数的 excel 列)
  5. 将 excel 语句列表复制到 SQL Management Studio 中的新查询中并执行。
  6. 完毕。

(在较大的数据集上,我会使用上面提到的解决方案之一)。

于 2011-03-21T10:35:24.580 回答
1

一个更好的解决方案是

  1. 复制/过去的存储过程代码
  2. 将该代码与您要再次运行它的表连接起来(对于每一行)

这是你得到一个干净的表格格式的输出。而如果你为每一行运行 SP,你会为每次迭代得到一个单独的查询结果,这很丑陋。

于 2016-12-13T09:59:14.450 回答
0

如果订单很重要

--declare counter
DECLARE     @CurrentRowNum BIGINT = 0;
--Iterate over all rows in [DataTable]
WHILE (1 = 1)
    BEGIN
        --Get next row by number of row
        SELECT TOP 1 @CurrentRowNum = extendedData.RowNum
                    --here also you can store another values
                    --for following usage
                    --@MyVariable = extendedData.Value
        FROM    (
                    SELECT 
                        data.*
                        ,ROW_NUMBER() OVER(ORDER BY (SELECT 0)) RowNum
                    FROM [DataTable] data
                ) extendedData
        WHERE extendedData.RowNum > @CurrentRowNum
        ORDER BY extendedData.RowNum

        --Exit loop if no more rows
        IF @@ROWCOUNT = 0 BREAK;

        --call your sproc
        --EXEC dbo.YOURSPROC @MyVariable
    END
于 2016-03-14T12:27:30.347 回答
0

我有一种情况,我需要对结果集(表)执行一系列操作。这些操作都是集合操作,所以这不是问题,但是......我需要在多个地方执行此操作。因此,将相关部分放入表类型中,然后填充每个结果集的表变量允许我调用 sp 并在每次需要时重复操作。

虽然这并没有解决他提出的确切问题,但它确实解决了如何在不使用游标的情况下对表的所有行执行操作。

@Johannes 没有深入了解他的动机,所以这可能对他有帮助,也可能对他没有帮助。

我的研究使我找到了这篇写得很好的文章,它作为我的解决方案的基础 https://codingsight.com/passing-data-table-as-parameter-to-stored-procedures/

这是设置

    drop type if exists cpRootMapType 
go 

create type cpRootMapType as Table(
    RootId1 int 
    , RootId2 int
)

go 
drop procedure if exists spMapRoot2toRoot1
go 
create procedure spMapRoot2toRoot1
(
@map cpRootMapType Readonly
)
as

update linkTable set root = root1  
from linktable  lt 
join @map m on lt.root = root2

update comments set root = root1 
from comments c 
join @map m on c.root = root2

--  ever growing list of places this map would need to be applied....
--  now consolidated into one place 

这是实现

... populate #matches

declare @map cpRootMapType 
insert @map select rootid1, rootid2 from #matches
exec spMapRoot2toRoot1 @map 
于 2020-12-11T18:31:03.897 回答
0

我有一些一次只能处理 20 名员工的生产代码,下面是代码的框架。我只是复制了生产代码并删除了下面的内容。

ALTER procedure GetEmployees
    @ClientId varchar(50)
as
begin
    declare @EEList table (employeeId varchar(50));
    declare @EE20 table (employeeId varchar(50));

    insert into @EEList select employeeId from Employee where (ClientId = @ClientId);

    -- Do 20 at a time
    while (select count(*) from @EEList) > 0
    BEGIN
      insert into @EE20 select top 20 employeeId from @EEList;

      -- Call sp here

      delete @EEList where employeeId in (select employeeId from @EE20)
      delete @EE20;
    END;

  RETURN
end
于 2016-12-20T19:12:51.983 回答
-1

我喜欢做类似的事情(尽管它仍然非常类似于使用光标)

[代码]

-- Table variable to hold list of things that need looping
DECLARE @holdStuff TABLE ( 
    id INT IDENTITY(1,1) , 
    isIterated BIT DEFAULT 0 , 
    someInt INT ,
    someBool BIT ,
    otherStuff VARCHAR(200)
)

-- Populate your @holdStuff with... stuff
INSERT INTO @holdStuff ( 
    someInt ,
    someBool ,
    otherStuff
)
SELECT  
    1 , -- someInt - int
    1 , -- someBool - bit
    'I like turtles'  -- otherStuff - varchar(200)
UNION ALL
SELECT  
    42 , -- someInt - int
    0 , -- someBool - bit
    'something profound'  -- otherStuff - varchar(200)

-- Loop tracking variables
DECLARE @tableCount INT
SET     @tableCount = (SELECT COUNT(1) FROM [@holdStuff])

DECLARE @loopCount INT
SET     @loopCount = 1

-- While loop variables
DECLARE @id INT
DECLARE @someInt INT
DECLARE @someBool BIT
DECLARE @otherStuff VARCHAR(200)

-- Loop through item in @holdStuff
WHILE (@loopCount <= @tableCount)
    BEGIN

        -- Increment the loopCount variable
        SET @loopCount = @loopCount + 1

        -- Grab the top unprocessed record
        SELECT  TOP 1 
            @id = id ,
            @someInt = someInt ,
            @someBool = someBool ,
            @otherStuff = otherStuff
        FROM    @holdStuff
        WHERE   isIterated = 0

        -- Update the grabbed record to be iterated
        UPDATE  @holdAccounts
        SET     isIterated = 1
        WHERE   id = @id

        -- Execute your stored procedure
        EXEC someRandomSp @someInt, @someBool, @otherStuff

    END

[/代码]

请注意,您不需要临时/变量表上的标识或 isIterated 列,我只是更喜欢这样做,这样我就不必在遍历循环时从集合中删除顶部记录。

于 2013-04-23T20:02:47.297 回答