Problem Description
You are given a graph that started as a tree with n nodes labeled from 1 to n, with one additional edge added. The added edge has two different vertices chosen from 1 to n and was not an edge that already existed. The graph is represented as an array edges of length n where edges[i] = [a_i, b_i] indicates that there is an edge between nodes a_i and b_i in the graph. Return an edge that can be removed so that the resulting graph is a tree of n nodes. If there are multiple answers, return the answer that occurs last in the input.
Key Insights
- The graph is originally a tree with n nodes and n-1 edges.
- Adding one more edge creates exactly one cycle in the graph.
- To find the redundant edge, we need to detect cycles in the graph.
- The Union-Find (Disjoint Set Union) data structure is an efficient way to manage and detect cycles when adding edges.
- If two vertices are already connected in the Union-Find structure, adding the edge creates a cycle.
Space and Time Complexity
Time Complexity: O(n α(n)), where α is the inverse Ackermann function, which grows very slowly and is nearly constant for practical input sizes. Space Complexity: O(n), for the parent and rank arrays in the Union-Find structure.
Solution
We can solve this problem using the Union-Find (Disjoint Set Union) approach. The idea is to maintain a set of connected components and process each edge one by one. For each edge, we check if the two vertices it connects are already in the same component. If they are, the edge is redundant (it creates a cycle). If they are not, we union the two components. We iterate through the edges and keep track of the last redundant edge found.