1

我有一个正在尝试插入的 While 循环。

              DECLARE @CurrentOffer int  =121
        DECLARE @OldestOffer int  = 115
        DECLARE @MinClubcardID bigint=0
              DECLARE @MaxClubcardID bigint=1000
                    WHILE 1 = 1
                        BEGIN
                        INSERT INTO Temp WITH (TABLOCK)
                        SELECT  top (100) clubcard  from TempClub   with (nolock) where ID between 
                        @MinClubcardand and @MaxClubcard

                        declare @sql varchar (8000)
                        while @OldestOffer <= @CurrentOffer
                        begin
                        print @CurrentOffer
                        print @OldestOffer

                                set @sql = 'delete from Temp where Clubcard 
                                 in (select Clubcard from ClubTransaction_'+convert(varchar,@CurrentOffer)+' with (nolock))'
                                 print (@sql)
                                 exec (@sql)

                                SET @CurrentOffer = @CurrentOffer-1  
                                IF @OldestOffer = @CurrentOffer
                                    begin

                                        -- my logic
                                    end

                        end
                    end

我的 TempClub 表总是只检查前 100 条记录。我的 TempClub 表有 3000 条记录。我需要使用 ClubTransaction_121,ClubTransaction_120,ClubTransaction_119 表检查我所有的俱乐部卡所有 3000 条记录。

4

2 回答 2

1

为了进行批处理类型处理,您需要将 @MinClubcardID 设置为最后处理的 ID 加 1 并包含 ORDER BY ID 以确保按顺序返回记录。

但是......我不会使用使用主键作为我的“索引”的方法。您正在寻找的是基本的分页模式。在 SQL Server 2005+ 中,Microsoft 引入了 row_number() 函数,这使得分页变得更加容易。

例如:

 DECLARE @T TABLE (clubcard INT)

 DECLARE @start INT
 SET @start = 0

 WHILE(1=1)
 BEGIN
   INSERT @T (clubcard)
   SELECT TOP 100 clubcard FROM 
   (
      SELECT clubcard,
      ROW_NUMBER() OVER (ORDER BY ID) AS num
      FROM dbo.TempClub
   ) AS t
   WHERE num > @start

  IF(@@ROWCOUNT = 0) BREAK;

  -- update counter
  SET @start = @start + 100

  -- process records found

  -- make sure temp table is empty
  DELETE FROM @T
END
于 2012-04-14T14:56:10.410 回答
1

SELECT8 行的查询只返回前 100 项

SELECT top (100) clubcard from TempClub ...

如果要检索所有项目,请删除top (100)语句的一部分

SELECT clubcard from TempClub ...
于 2012-04-14T10:51:57.413 回答