我有一个名为Items的表的数据库,其中包含以下列:
name字段可用于构建项目的路径,方法是迭代每个ParentId,直到它等于'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-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
我不知道我如何为路径声明一个局部变量,并在递归查询中继续附加它。在尝试之前,我打算尝试至少将所有行都输送到父级。如果有人也可以提供帮助 - 我会很感激。
答案 0 :(得分:10)
这里的工作解决方案
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'
我不喜欢它,我认为更好的解决方案是以其他方式做到这一点。等一下,我尝试写另一个查询:)
更新,这是
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
答案 1 :(得分:2)
我需要稍微不同的这个答案版本,因为我想要生成树中所有谱系的列表。我也想知道每个节点的深度。我添加了一个我可以遍历的顶级父级临时表和一个临时表来构建结果集。
use Items
Select *
Into #Temp
From Items
where ParentID=0
Declare @Id int
create table #Results
(
Id int,
Name nvarchar(max),
ParentId int,
Depth int
)
While (Select Count(*) From #Temp) > 0
Begin
Select Top 1 @Id = Id From #Temp
begin
with ItemPath as
(
select a.[Id], cast(a.[Name] as nvarchar(max))as Name, a.ParentID ,1 as
Depth
from Items a
where a.ID = @id
union all
select a.[Id], parent.[Name] + '/' + a.[Name], a.ParentID, 1 + Depth
from Items as a
inner join ItemPath as parent on parent.id = a.parentID
)
insert into #Results
select *
from ItemPath
end
Delete #Temp Where Id = @Id
End
drop table #Temp
select * from #Results
drop table #Results
如果我们从下表开始......
Id Name ParentID
1 Fred 0
2 Mary 0
3 Baker 1
4 Candle 2
5 Stick 4
6 Maker 5
我们会得到这个结果表。
Id Name ParentID Depth
1 Fred 0 1
2 Mary 0 1
3 Fred/Baker 1 2
4 Mary/Candle 2 2
5 Mary/Candle/Stick 4 3
6 Mary/Candle/Stick/Maker 5 4