0

我在 sql server 中有评论表,结构为

CREATE TABLE [dbo].[LS_Commentes](
    [CommentId] [int] IDENTITY(1,1) NOT NULL,
    [OwnerId] [uniqueidentifier] NULL,
    [OwnerName] [nvarchar](50) NULL,
    [Email] [nvarchar](250) NULL,
    [Date] [nvarchar](15) NULL,
    [ParentId] [int] NULL,
    [CommentText] [nvarchar](400) NULL,
    [ItemId] [int] NULL,
    [upVotes] [int] NULL,
    [downVotes] [int] NULL,
    [isApproved] [bit] NULL,
 CONSTRAINT [PK_LS_MsgCommentes] PRIMARY KEY CLUSTERED 
(
    [CommentId] ASC
)WITH (PAD_INDEX  = OFF, STATISTICS_NORECOMPUTE  = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS  = ON, ALLOW_PAGE_LOCKS  = ON) ON [PRIMARY]
) ON [PRIMARY]

我有这样的样本数据:

CommentId   OwnerId OwnerName   Email   Date    ParentId    CommentText ItemId  upVotes downVotes   isApproved
1   NULL    Test Commneter  NULL    1/4/2013    NULL    test    9   0   0   NULL
2   NULL    Test Commneter  NULL    1/4/2013    1   test    NULL    0   0   NULL
3   NULL    Test Commneter  NULL    1/4/2013    1   test    NULL    0   0   NULL

我想写一个查询可以让我所有行都有 itemid = 9 并且行有 parentid = 选择的评论 id(因为 itemid = 9)

看这里我也可以通过在子评论中添加项目 ID 9 来解决它,但我只想知道是否可以在不向评论和子评论中添加项目 ID 的情况下解决这个问题

4

3 回答 3

1

我认为以下查询可以满足您的要求:

select *
from ls_comments c
where c.itemID = 9 or
      c.parentID in (select c2.commentId from ls_comments c2 where c2.itemId = 9)
于 2013-01-04T22:45:22.493 回答
1

递归公用表表达式会给您想要的结果吗?

;with cte as 
(
    --Anchor
    select 
        commentid,
        ParentId
    from 
        LS_Commentes
    where
        ItemId = 9
    union all
    --Recursive member
    select 
        c.commentId,
        c.ParentId
    from
        LS_Commentes c join cte on c.ParentId = cte.CommentId

)
select * from cte

如果要在结果中包含更多列,请确保两个部分(锚点和递归成员)具有相同的列。

说明:递归查询的锚部分(第一个选择)选择 ItemId = 9 的所有行,第二部分使用结果中的现有记录来包括满足它的 criter 的更多记录(ParentId = cte.CommentId) 这继续直到没有更多的选择。然后必须在最后选择整个结果(在 CTEs 定义之后)

于 2013-01-04T22:47:02.387 回答
0

我认为使用嵌入式 SQL 查询会很好

 SELECT * 
 FROM `LS_Commentes` 
 WHERE `ItemId` = '9' 
     AND `ParentID`= (SELECT `CommentID` FROM `LS_Commentes` WHERE `ItemId` = 9);
于 2013-01-04T22:47:13.650 回答