我有一个层次结构,我已将其表示为闭包表,如Bill Karwin所述。我正在尝试编写一个查询,该查询将返回按深度优先遍历排序的节点。 This reply会解决我的问题,但在我的结构中,一些节点出现不止一次,因为它们有多个父节点。
我的示例数据如下所示:
如您所见,节点2出现两次,无论是作为根的子孙还是孙。节点5作为根的孙子出现两次(每次都有不同的父节点),然后再次作为曾孙,因为它的父节点2被重复。
这会将数据设置为闭包表:
CREATE TABLE ancestor_descendant (
ancestor int NOT NULL,
descendant int NOT NULL,
path_length int NOT NULL
);
INSERT INTO ancestor_descendant (ancestor, descendant, path_length) VALUES
(1,1,0),(2,2,0),(3,3,0),(4,4,0),(5,5,0),(6,6,0),(1,2,1),(1,3,1),(1,4,1),
(2,5,1),(3,5,1),(4,6,1),(4,2,1),(1,5,2),(1,6,2),(1,2,2),(1,5,3),(4,5,2);
或作为邻接名单:
CREATE TABLE parent_child (
parent int NOT NULL,
child int NOT NULL
);
INSERT INTO parent_child (parent, child) VALUES
(1,2),(1,3),(1,4),(2,5),(3,5),(4,2),(4,6);
我可以产生广度优先的遍历(虽然5只出现过一次孙子):
SELECT CONCAT(LPAD('', path_length, '-'), ' ', descendant)
FROM ancestor_descendant
WHERE ancestor = 1
ORDER BY path_length;
1
- 2
- 3
- 4
-- 5
-- 6
-- 2
--- 5
但我尝试使用breadcrumb进行深度优先遍历失败(由于GROUP BY a.descendant
,它只显示重复的节点一次):
SELECT a.descendant, GROUP_CONCAT(b.ancestor ORDER BY b.path_length DESC) AS breadcrumbs
FROM ancestor_descendant a
INNER JOIN ancestor_descendant b ON (b.descendant = a.descendant)
WHERE a.ancestor = 1
GROUP BY a.descendant
ORDER BY breadcrumbs;
1 1
2 1,1,4,1,4,1,2,2
5 1,1,4,1,4,1,3,2,3,2,5,5
3 1,3
4 1,4
6 1,4,6
是否可以使用闭包表格表示输出深度优先遍历?
我应该使用其他代表吗?我不能使用递归CTE,因为我只限于MySql(它没有实现它们)。
答案 0 :(得分:0)
我建议将节点id
拆分为两个概念。一个是唯一 id,用于图表属性(即ancestor_descendant
列表)。第二个是你在输出上显示的内容。
然后创建一个映射表:
Id Value
1 1
2 2
20 2
3 3
4 4
5 5
50 5
51 5
6 6
然后,您可以通过加入地图表并使用value
列而不是id
列来获得所需内容。