I am new to WITH RECURSIVE
in PostgreSQL. I have a reasonably standard recursive query that is following an adjacency list. If I have, for example:
1 -> 2
2 -> 3
3 -> 4
3 -> 5
5 -> 6
it produces:
1
1,2
1,2,3
1,2,3,4
1,2,3,5
1,2,3,5,6
What I would like is to have just:
1,2,3,4
1,2,3,5,6
But I can't see how to do this in Postgres. This would seem to be "choose the longest paths" or "choose the paths that are not contained in another path". I can probably see how to do this with a join on itself, but that seems quite inefficient.
An example query is:
WITH RECURSIVE search_graph(id, link, data, depth, path, cycle) AS (
SELECT g.id, g.link, g.data, 1, ARRAY[g.id], false
FROM graph g
UNION ALL
SELECT g.id, g.link, g.data, sg.depth + 1, path || g.id, g.id = ANY(path)
FROM graph g, search_graph sg
WHERE g.id = sg.link AND NOT cycle
)
SELECT * FROM search_graph;