I have a cyclic directed graph and I was wondering if there is any algorithm (preferably an optimum one) to make a list of common descendants between any two nodes? Something almost opposite of what Lowest Common Ancestor (LCA) does.
Finding the list of common children (descendants) for any two nodes in a cyclic graph
1.5k Views Asked by user3684042 At
3
There are 3 best solutions below
0

I would recommend using a DFS (depth first search).
For each input node
Create a collection to store reachable nodes
Perform a DFS to find reachable nodes
When a node is reached
If it's already stored stop searching that path // Prevent cycles
Else store it and continue
Find the intersection between all collections of nodes
Note: You could easily use BFS (breadth first search) instead with the same logic if you wanted.
When you implement this keep in mind there will be a few special cases you can look for to further optimize your search such as:
- If an input node doesn't have any vertices then there are no common nodes
- If one input node (A) reaches another input node (B), then A can reach everything B can.
This means the algorithm wouldn't have to be ran on B. - etc.
As user1990169 suggests, you can compute the set of vertices reachable from each of the starting vertices using DFS and then return the intersection.
If you're planning to do this repeatedly on the same graph, then it might be worthwhile first to compute and contract the strong components to supervertices representing a set of vertices. As a side effect, you can get a topological order on supervertices. This allows a data-parallel algorithm to compute reachability from multiple starting vertices at the same time. Initialize all vertex labels to
{}
. For each start vertexv
, set the label to{v}
. Now, sweep all verticesw
in topological order, updating the label ofw
's out-neighborsx
by setting it to the union ofx
's label andw
's label. Use bitsets for a compact, efficient representation of the sets. The downside is that we cannot prune as with single reachability computations.