Problem Description
In this problem, a rooted tree is a directed graph such that there is exactly one node (the root) for which all other nodes are descendants of this node, plus every node has exactly one parent, except for the root node which has no parents. The given input is a directed graph that started as a rooted tree with n nodes (with distinct values from 1 to n), with one additional directed edge added. The added edge has two different vertices chosen from 1 to n, and was not an edge that already existed. The resulting graph is given as a 2D-array of edges. Each element of edges is a pair [u_i, v_i] that represents a directed edge connecting nodes u_i and v_i, where u_i is a parent of child v_i. Return an edge that can be removed so that the resulting graph is a rooted tree of n nodes. If there are multiple answers, return the answer that occurs last in the given 2D-array.
Key Insights
- The graph is originally a rooted tree with one additional edge.
- The added edge creates a cycle or an additional connection that violates the tree structure.
- To identify which edge to remove, we need to determine which edge introduces the cycle.
- The edge to be removed must be such that removing it restores the tree properties.
Space and Time Complexity
Time Complexity: O(n) – we traverse the edges to find the cycle and validate the tree structure. Space Complexity: O(n) – we use data structures to keep track of visited nodes and the parent-child relationships.
Solution
To solve this problem, we can use a Union-Find (Disjoint Set Union) data structure to detect cycles in the directed graph. The main steps include:
- Initialize a Union-Find structure to manage the connectivity of nodes.
- Iterate through each edge and attempt to union the two nodes.
- If a union operation fails (indicating a cycle), we keep track of this edge as a candidate for removal.
- After processing all edges, we need to check if the graph can form a tree by ensuring there is exactly one root and all nodes can be connected.
- Finally, return the last edge that might be removed to restore the tree structure.