質問

id  parent_id
1   0
2   0
3   2
4   0
5   1
6   0

親行(parent_id = 0)に続いて子行を返すクエリが必要です:

  1. 最初の親
  2. 最初の親のすべての子
  3. 2番目の親
  4. 2番目の親のすべての子
  5. 3番目の親
  6. 4番目の親

期待される結果:ID順に並べられています

id   parent_id
-------------------------------------------
1    0 (first parent)
5    1     (all children of first parent)
2    0 second parent
3    2     (all children of second parent)
4    0 third parent
6    0 fourth parent

すべての子が続く親の結合を使用できます しかし、それは私に最初に親を与え、次に子供を与えます。 親とすぐにその子が必要です。

誰でも助けてもらえますか?

役に立ちましたか?

解決

これは、2つの一時テーブルと3つの変数を使用して実現できます。


CREATE TABLE #Parents
(
RowId bigint identity(1,1),
Id    bigint
)

CREATE TABLE #Results ( RowId bigint identity(1,1), Id bigint, ParentId bigint )

DECLARE @Count1 bigint DECLARE @Count2 bigint DECLARE @ParentId bigint

INSERT INTO #Parents SELECT Id FROM MyTable WHERE ParentId = 0 ORDER BY Id

SET @Count1 = 0 SELECT @Count2 = MAX(RowId) FROM #Parents

WHILE @Count1 < @Count2 BEGIN SET @Count1 = @Count1 +1 SELECT @ParentId = Id FROM #Parents WHERE RowId = @Count1 INSERT INTO #Results (Id, ParentId) VALUES (@Count1, 0) INSERT INTO #Results (Id, ParentId) SELECT ID, ParentId FROM MyTable WHERE ID = @Count1 ORDER BY Id END

SELECT Id, ParentId FROM #Results ORDER BY RowId

DROP TABLE #Results DROP TABLE #Parents

他のヒント

SQL Server 2005+を使用している場合は、再帰CTEを使用して、最後に注文できるフィールドを維持してください。

これを試してください:

declare @t table (id int, parent_id int)
insert @t
select 1,0
union all select 2,0
union all select 3,2
union all select 4,0
union all select 5,1
union all select 6,0
;

with tree as (
select t.*, convert(varbinary(max),t.id) as ordered
from @t t
where parent_id = 0
union all
select t.*, ordered + convert(varbinary(max),t.id)
from tree base
 join
 @t t
 on t.parent_id = base.id
 )
select * 
from tree
order by ordered
;
ライセンス: CC-BY-SA帰属
所属していません StackOverflow
scroll top