3

我需要构建一个查询来解决下面的这种情况:

父表:

ParentId  Name
1         Parent A
2         Parent B

子表:

ChildId   ParentId  Name 
10        1         Child X
11        1         Child Y
12        1         Child Z
13        2         Child Q

单亲可以链接到多个孩子。然后查询将给出以下结果:

Parent Name    1st-Child   2nd-Child   3rd-Child  4th-Child  5th-Child  
Parent A       Child X     Child Y     Child Z
Parent B       Child Q

这在 MS SQL 2008 中可行吗?

4

2 回答 2

6

假设您只需要列出 5 个孩子,则此查询将起作用:

with T as (
    select P.Name as ParentName,
           C.Name as ChildName,
           row_number() over (partition by P.ParentId order by C.ChildId) as N
    from ParentTable P join ChildTable C on P.ParentId = C.ParentId
) 
select ParentName,
    max(case when N = 1 then ChildName else '' end) as '1st-child',
    max(case when N = 2 then ChildName else '' end) as '2nd-child',
    max(case when N = 3 then ChildName else '' end) as '3rd-child',
    max(case when N = 4 then ChildName else '' end) as '4th-child',
    max(case when N = 5 then ChildName else '' end) as '5th-child'
from T
group by ParentName
于 2012-04-16T20:12:46.513 回答
3

PIVOT专为您的场景而设计。

SELECT * FROM
(
    SELECT [Parent] = P.Name,
        [Child] = C.Name, 
        [Field] = 'Child ' + LTRIM(STR(
        ROW_NUMBER() OVER (PARTITION BY C.ParentId ORDER BY C.ChildId)))
    FROM ChildTable C
    JOIN ParentTable P ON P.ParentId = C.ParentId
) A
PIVOT (MAX([Child])
       FOR [Field] IN ([Child 1], [Child 2], [Child 3], [Child 4], [Child 5])) B
于 2012-04-18T21:09:23.540 回答