用于从自引用表中检索父子顺序中的父子关系的SQL

时间:2015-03-16 09:14:17

标签: sql hierarchy

我使用以下查询从自引用父表的表中检索父子关系数据。

    -- go down the hierarchy and get the childs
    WITH ChildLocations(LocationId, FkParentLocationId, [Level]) 
        AS 
        (
            (
                -- Start CTE off by selecting the home location of the user
                SELECT l.LocationId, l.FkParentLocationId, 0 as [Level]
                FROM   Location l
                WHERE  l.LocationId = @locationId
            )
            UNION ALL 
            -- Recursively add locations that are children of records already found in previous iterations.
            SELECT l2.LocationId, l2.FkParentLocationId, [Level] + 1
            FROM   ChildLocations tmp
                   INNER JOIN Location l2
                        ON  l2.FkParentLocationId = tmp.LocationId
        )
    INSERT INTO @tmp
    SELECT * from ChildLocations;

该表格包含以下字段: LocationId,FkParentLocationId,FkLocationTypeId等......

这很好用,但我想要检索它的方法如下:

Parent 1
    Child 1
    Child 2
      Child 21
    Child 3
      Child 31
Parent 2
    Child 4
    Child 5
    Child 6

目前提供的内容如下:

Parent 1
Parent 2
    Child 1
    Child 2
    Child 3
    Child 4
 etc....

如何修改上述内容以按我想要的顺序获取。

1 个答案:

答案 0 :(得分:1)

附加'订单'字段怎么样?这可能是一种方法:

WITH ChildLocations(LocationId, FkParentLocationId, [Level]) 
    AS 
    (
        (
            -- Start CTE off by selecting the home location of the user
            SELECT l.LocationId, l.FkParentLocationId, 0 as [Level],
                   cast( str( l.locationId ) as varchar(max) ) as orderField
            FROM   Location l
            WHERE  l.LocationId = @locationId
        )
        UNION ALL 
        -- Recursively add locations that are children ...
        SELECT l2.LocationId, l2.FkParentLocationId, [Level] + 1,
               tmp.orderField + '-' + 
               str(tmp.locationId) as orderField
        FROM   ChildLocations tmp
               INNER JOIN Location l2
                    ON  l2.FkParentLocationId = tmp.LocationId
    )
SELECT * from ChildLocations order by orderField;

请记住,Order by中不允许Insert

Take a look a sample

相关问题