本文介紹了根據連續行進行分區的唯一標識符的處理方法,對大家解決問題具有一定的參考價值,需要的朋友們下面隨著小編來一起學習吧!
問題描述
我正在處理一個需要分區的SQL服務器查詢,以便按日期排序的具有相同Type值的連續行具有相同的唯一標識符。
假設我有下表
declare @test table
(
CustomerId varchar(10),
Type INT,
date datetime
)
insert into @test values ('aaaa', 1,'2015-10-24 22:52:47')
insert into @test values ('bbbb', 1,'2015-10-23 22:56:47')
insert into @test values ('cccc', 2,'2015-10-22 21:52:47')
insert into @test values ('dddd', 2,'2015-10-20 22:12:47')
insert into @test values ('aaaa', 1,'2015-10-19 20:52:47')
insert into @test values ('dddd', 2,'2015-10-18 12:52:47')
insert into @test values ('aaaa', 3,'2015-10-18 12:52:47')
我希望我的輸出列是這樣的(數字不需要排序,我只需要每個組的唯一標識符):
編輯了原始帖子,因為我在所需的輸出上犯了錯誤
0
0
1
1
2
3
4
免責聲明:如果每行的CustomerID不同,則輸出應該是相同的
,這與我的分區實際上并不相關
我當前的查詢似乎做到了這一點,但它在某些情況下失敗了,為具有不同類型值的行提供相同的ID。
SELECT row_number() over(order by date) - row_number() over (partition by Type order by date)
FROM @TEST
推薦答案
嘗試如下內容:
declare @test table (
CustomerId varchar(10),
Type INT,
date datetime
)
insert into @test
values
('aaaa', 1,'2015-10-24 22:52:47'),
('bbbb', 1,'2015-10-23 22:56:47'),
('cccc', 2,'2015-10-22 21:52:47'),
('dddd', 2,'2015-10-20 22:12:47'),
('aaaa', 1,'2015-10-19 20:52:47'),
('dddd', 2,'2015-10-18 12:52:47'),
('aaaa', 3,'2015-10-18 12:52:47')
;
with cte as (
select *, newtype = case when Type <> lag(Type) over(order by date desc) then 1 else 0 end
from @test
)
select *,
Result = sum(newtype) over(
order by date desc
rows between unbounded preceding and current row
)
from cte
order by date desc
結果:
CustomerID | 類型 | 日期 | 新類型 | 結果 |
---|---|---|---|---|
aaaa | 1 | 2015-10-24 22:52:47.000 | 0 | 0 |
bbbb | 1 | 2015-10-23 22:56:47.000 | 0 | 0 |
CCCC | 2 | 2015-10-22 21:52:47.000 | 1 | 1 |
dddd | 2 | 2015-10-20 22:12:47.000 | 0 | 1 |
aaaa | 1 | 2015-10-19 20:52:47.000 | 1 | 2 |
dddd | 2 | 2015-10-18 12:52:47.000 | 1 | 3 |
aaaa | 3 | 2015-10-18 12:52:47.000 | 1 | 4 |
公用表表達式(CTE)標記Type與以前不同的行。(第一行與Lag()=NULL的比較不會被標記為更改。)然后,主查詢使用窗口求和對它們進行計數。
查看此db<>fiddle以獲取演示。
這篇關于根據連續行進行分區的唯一標識符的文章就介紹到這了,希望我們推薦的答案對大家有所幫助,