本文介紹了在自引用表上編寫遞歸SQL查詢的處理方法,對大家解決問題具有一定的參考價值,需要的朋友們下面隨著小編來一起學習吧!
問題描述
我有一個數據庫,其中有一個名為Items的表,其中包含以下列:
ID-主鍵,唯一標識符
名稱-nvarchar(256)
ParentID-唯一標識符
名稱字段可用于構建指向項目的路徑,方法是遍歷每個父ID,直到它等于根項目‘11111111-1111-1111-1111-111111111111’。
因此,如果您有一個表,其中的行如下
ID Name ParentID
-------------------------------------------------------------------------------------
11111111-1111-1111-1111-111111111112 grandparent 11111111-1111-1111-1111-111111111111
22222222-2222-2222-2222-222222222222 parent 11111111-1111-1111-1111-111111111112
33333333-3333-3333-3333-333333333333 widget 22222222-2222-2222-2222-222222222222
因此,如果我在上面的示例中查找ID為‘33333333-3333-3333-333333333333’的項目,我將需要路徑
/grandparent/parent/widget
已返回。我曾嘗試編寫一個CTE,因為看起來這就是您通常要完成的事情–但由于我不太執行SQL,我不能很好地找出我錯在哪里。我已經查看了一些示例,這似乎是我所能得到的最接近的結果–它只返回子行。
declare @id uniqueidentifier
set @id = '10071886-A354-4BE6-B55C-E5DBCF633FE6'
;with ItemPath as (
select a.[Id], a.[Name], a.ParentID
from Items a
where Id = @id
union all
select parent.[Id], parent.[Name], parent.ParentID
from Items parent
inner join ItemPath as a
on a.Id = parent.id
where parent.ParentId = a.[Id]
)
select * from ItemPath
我不知道如何為路徑聲明一個局部變量,并在遞歸查詢中繼續追加它。在繼續之前,我打算嘗試至少將所有行都提交給父級。如果有人能幫上忙,我將不勝感激。
推薦答案
以下是可行的解決方案
SQL FIDDLE EXAMPLE
declare @id uniqueidentifier
set @id = '33333333-3333-3333-3333-333333333333'
;with ItemPath as
(
select a.[Id], a.[Name], a.ParentID
from Items a
where Id = @id
union all
select parent.[Id], parent.[Name] + '/' + a.[Name], parent.ParentID
from ItemPath as a
inner join Items as parent on parent.id = a.parentID
)
select *
from ItemPath
where ID = '11111111-1111-1111-1111-111111111112'
我不太喜歡它,我想更好的解決辦法是反過來做。請稍等,我正在嘗試編寫另一個查詢:)
更新在這里
SQL FIDDLE EXAMPLE
create view vw_Names
as
with ItemPath as
(
select a.[Id], cast(a.[Name] as nvarchar(max)) as Name, a.ParentID
from Items a
where Id = '11111111-1111-1111-1111-111111111112'
union all
select a.[Id], parent.[Name] + '/' + a.[Name], a.ParentID
from Items as a
inner join ItemPath as parent on parent.id = a.parentID
)
select *
from ItemPath
現在您可以使用此視圖
declare @id uniqueidentifier
set @id = '33333333-3333-3333-3333-333333333333'
select *
from vw_Names where Id = @id
這篇關于在自引用表上編寫遞歸SQL查詢的文章就介紹到這了,希望我們推薦的答案對大家有所幫助,