假设有一个MSSQL表 UserPost ,表示用户已发布的内容,包含以下字段:
ID | dateAdded | parentPostID | postBody
系统中的用户可以创建请求,接收响应,然后其他用户可以在响应中注释 。即,请求< = 1:many =>响应< = 1:很多=>评论(想想StackOverlow的问题>答案>评论模型)。
所有用户帖子(请求,响应和评论)由 UserPost 行表示,其中Request parentPostID = null;
;回复'parentPostID
是请求的ID,而回复的parentPostID
是回复的ID。
我需要以简单的方式输出所有内容:
Request 1
- Response A
-- Comment (i)
-- Comment (ii)
- Response B
-- Comment (i)
Request 2
...
问题:哪个SQL语句以最有用的方式返回所需信息?
我很难将(UserPosts)之间的三方连接写为Requests [join](UserPosts)作为回复[join](UsersPosts)作为评论,但我不确定这是最简单的方法。
奖金:是否可以使用C#Linq执行此操作?
答案 0 :(得分:5)
无法想到在LINQ中执行此操作的方法。我删除了未使用的列。幸运的是,这是一个有限的层次结构。我正在使用新的hierarchyid
数据类型,它具有所需的排序顺序:
create table UserPosts (
ID int not null,
ParentID int null
)
go
insert into UserPosts (ID,ParentID)
select 1,null union all
select 2,null union all
select 3,1 union all
select 4,2 union all
select 5,3 union all
select 6,1 union all
select 7,6
go
select
*
from
UserPosts up
left join
UserPosts up_1st
on
up.ParentID = up_1st.ID
left join
UserPosts up_2nd
on
up_1st.ParentID = up_2nd.ID
order by
CONVERT(hierarchyid,
COALESCE('/' + CONVERT(varchar(10),up_2nd.ID),'') +
COALESCE('/' + CONVERT(varchar(10),up_1st.ID),'') +
'/' + CONVERT(varchar(10),up.ID) + '/'
)
HierarchyIDs(作为字符串)看起来像/GrandParent/Parent/Child/
- 所以我们构造看起来像这样的值。显然,如果我们没有祖父母(up_2nd.ID
为null,因为我们无法实现2个左连接),那么我们只想构建/Parent/Child/
- 这就是第一个COALESCE帮助我们实现目标。同样,如果我们找不到任何父项(up_1st.ID
和up_2nd.ID
都为空),那么两个COALESCE都会变成空字符串,最后我们会构造/ID/
。< / p>
您可以添加:
CASE
WHEN up_2nd.ID is not null then 'Comment'
WHEN up_1st.ID is not null then 'Response'
ELSE 'Request'
END as Level
到您的选择列表,如果您想跟踪该项目的级别(或者根据需要使用数字)