我有一个如下的SQL场景,我一直在努力改进。
有一张表'退货',其中包含退货商品的ID,以反映商品的商店。其结构如下。
Returns
-------------------------
Return ID | Shop | Item
-------------------------
1 Shop1 Item1
2 Shop1 Item1
3 Shop1 Item1
4 Shop1 Item1
5 Shop1 Item1
还有一个供应商与供应商和供应商,如下所示。
Supplier
---------------------------------
Supplier | Shop | Item | Volume
---------------------------------
supp1 Shop1 Item1 20%
supp2 Shop1 Item1 80%
现在你看到supp1提供了20%的item1总量,而supp2提供了80%的Item1给shop1。对于同一个Shop1,同一Item1有5个物品退货。 现在我需要将任意四个返回ID分配给Supp1,并将剩余的一个返回ID分配给supp2。这种数字分配基于供应商的供应量百分比。这种分配取决于所供应物品的比例。
现在我尝试了一种使用RANK的方法,如下所示,使用临时表。
临时表1将包含Shop,Return Id,Item,返回ID的总数和返回ID的等级。 临时表2将包含商店,供应商,物品及其比例和比例等级。现在我面临着向顶级供应商分配回报率最高的困难,如上图所示。由于SQL没有循环,我怎么能实现这一点。我一直在试图这样做。
我的环境是Teradata(ANSI SQL就够了)。
答案 0 :(得分:1)
更新: 你需要循环,这里有一些SQL代码可以作为起点。 基本上我使用临时tabes和ROW_NUMBER()。 对于我的示例,我使用了SQL SERVER 2008。
尝试以下方法:
-- gather suppliers in temp table
DECLARE @SupplierTemp table
( [RowId] int
,[Supplier] nvarchar (50)
,[ReturnCount] int )
-- gather supplier with return count
INSERT INTO @SupplierTemp
SELECT ROW_NUMBER() OVER(ORDER BY [Supplier].[Supplier] DESC, [Supplier].[Supplier])
,[Supplier].[Supplier]
, COUNT([Supplier].[Supplier])*[Supplier].[Volume]/100 AS ReturnCount
FROM [Supplier]
INNER JOIN [Returns] ON (([Returns].[Item] = [Supplier].[Item])
AND ([Returns].[Shop] = [Supplier].[Shop]))
GROUP BY [Supplier].[Supplier], [Supplier].[Volume]
ORDER BY [Supplier].[Supplier]
-- gather returns in temp table
DECLARE @ReturnsTemp table
( [RowId] int
,[Id] int)
-- gather returns
INSERT INTO @ReturnsTemp
SELECT ROW_NUMBER() OVER(ORDER BY [Returns].[Id] DESC, [Returns].[Id])
,[Returns].[Id]
FROM [Returns]
-- gather results in temp table
DECLARE @ResultsTemp table
( [Supplier] nvarchar(50)
,[Id] int)
DECLARE @rrowid as int
DECLARE @rid as int
-- loop over all suppliers
-- loop once for each [ReturnCount]
-- find the next avialable Id
DECLARE @srowid as int
DECLARE @loopCnt as int
DECLARE @supplier as nvarchar(50)
-- get first supplier
SELECT @srowid = (SELECT MIN([RowId]) FROM @SupplierTemp)
SELECT @loopCnt = [ReturnCount] FROM @SupplierTemp WHERE [RowId] = @srowid
SELECT @supplier = [Supplier] FROM @SupplierTemp WHERE [RowId] = @srowid
-- loop over suppliers
WHILE @srowid IS NOT NULL
BEGIN
-- loop of number of returns
WHILE @loopCnt > 0
BEGIN
-- find the Id to return
SELECT @rrowid = (SELECT MIN([RowId]) FROM @ReturnsTemp)
SELECT @rid = [Id] FROM @ReturnsTemp WHERE [RowId] = @rrowid
INSERT INTO @ResultsTemp VALUES (@supplier, @rid)
DELETE FROM @ReturnsTemp WHERE [RowId] = @rrowid
SELECT @loopCnt = @loopCnt - 1
END
-- delete current item from table to keep loop moving forward...
DELETE FROM @SupplierTemp WHERE [RowId] = @srowid
-- get next supplier.
SELECT @srowid = (SELECT MIN([RowId]) FROM @SupplierTemp)
SELECT @loopCnt = [ReturnCount] FROM @SupplierTemp WHERE [RowId] = @srowid
SELECT @supplier = [Supplier] FROM @SupplierTemp WHERE [RowId] = @srowid
END
SELECT * FROM @ResultsTemp