261. Graph Valid Tree
Problem Description
In this problem, we're given a graph that is composed of 'n' nodes which are labeled from 0 to n - 1. The graph also has a set of edges given in a list where each edge is represented by a pair of nodes like [a, b]
that signifies a bidirectional (undirected) connection between node a
and node b
. Our main objective is to determine if the given graph constitutes a valid tree.
To understand what makes a valid tree, we should recall two essential properties of trees:
- A tree must be connected, which means there should be some path between every pair of nodes.
- A tree cannot have any cycles, meaning no path should loop back on itself within the graph.
Therefore, our task is to check for these properties in the given graph. We need to verify if there's exactly one path between any two nodes (confirming a lack of cycles) and that all the nodes are reachable from one another (confirming connectivity). If both conditions are met, we return true
; otherwise, we return false
.
Flowchart Walkthrough
Let's analyze the problem from LeetCode 261, Graph Valid Tree, using the Flowchart. Here’s a step-by-step analysis based on the problem description and our algorithm flowchart:
Is it a graph?
- Yes: The problem explicitly involves a graph since we are given
n
nodes and a list of edges.
Is it a tree?
- Yes: The problem specifically asks whether the given graph is a valid tree.
Since the problem is confirmed to be both a graph and a tree, the flowchart points directly towards using Depth-First Search (DFS) as the suited methodology for solving this problem. DFS is particularly effective here as it allows us to verify if all nodes are connected (a property of trees) and if there are any cycles (which should not exist in a tree).
Conclusion: Based on the flowchart, Depth-First Search (DFS) is recommended for checking if a given graph is a valid tree.
Intuition
To determine if the set of edges forms a valid tree, the "Union Find" algorithm is an excellent choice. This algorithm is a classic approach used in graph theory to detect cycles and check for connectivity within a graph.
Here's why Union Find works for checking tree validity:
- Union Operation: This is used to connect two nodes. If they are already connected, it means we're trying to add an extra connection to a connected pair, indicating the presence of a cycle.
- Find Operation: This operation helps in finding the root of each node, generally used to check if two nodes have the same root. If they do, a cycle is present since they are already connected through a common ancestor. If not, we can perform an union operation without creating a cycle.
- Path Compression: This optimization helps in flattening the structure of the tree, which improves the time complexity of subsequent "Find" operations.
In our solution, we start with each node being its own parent (representing a unique set). Then, we iterate through each edge, applying the "Find" operation to see if any two connected nodes share the same root:
- If they do, we've detected a cycle and return
false
as a cycle indicates it's not a valid tree. - If they don't, we connect (union) them by updating the root of one node to be the root of the other.
As we connect nodes, we also decrement 'n' as an additional check. If at the end of processing all edges, there's more than one disconnected component, 'n' will be greater than 1, indicating the graph is not fully connected, thus not a valid tree. If 'n' is exactly 1, it means the graph is fully connected without cycles, so it's a valid tree and we return true
.
Learn more about Depth-First Search, Breadth-First Search, Union Find and Graph patterns.
Solution Approach
The solution provided leverages the Union Find algorithm to check the validity of a tree. Here's a step-by-step walkthrough of the algorithm as implemented in the Python code:
-
Initialization:
- We start by creating an array
p
to represent the parent of each node. Initially, each node is its own parent, thusp[i] = i
fori
from0
ton-1
. - The variable
n
tracks the number of distinct sets or trees; initially, each node is separate, so there aren
trees.
- We start by creating an array
-
Function Definition -
find(x)
:- This function is critical to Union Find. Its purpose is to find the root parent of a node
x
. - The function is implemented with path compression, meaning every time we find the root of a node, we update the parent along the search path directly to the root. This helps reduce the tree height and optimize future searches.
- This function is critical to Union Find. Its purpose is to find the root parent of a node
-
Process Edges:
- We iterate over each edge in the list
edges
. - For each edge
[a, b]
, we find the roots of both nodesa
andb
using thefind
function. - We check if the roots are equal. If they are,
find(a) == find(b)
, this indicates that nodesa
andb
are already connected, thus forming a cycle. In this case, we immediately returnFalse
, as a valid tree cannot contain cycles. - If the roots are different, it means that connecting them doesn't form a cycle, so we perform a union operation by setting the parent of
find(a)
tofind(b)
. - After successfully adding an edge without forming a cycle, we decrement
n
since we have merged two separate components into one.
- We iterate over each edge in the list
-
Final Verification:
- After processing all edges, we check if
n
is exactly1
. If it is, it means all nodes are connected, forming a single connected component without cycles, which satisfies the definition of a tree. - If
n
is not1
, it means the graph is either not fully connected, or we have returnedFalse
earlier due to a cycle. In either case, the graph does not form a valid tree.
- After processing all edges, we check if
The simplicity of this algorithm comes from the elegant use of the Union Find pattern to quickly and efficiently find cycles and check connectivity. The solution runs in near-linear time, making it very efficient for large graphs.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a simple example to illustrate the solution approach using the Union Find algorithm.
Suppose we have a graph with n = 4
nodes labeled from 0
to 3
, and we're given an edge list edges = [[0, 1], [1, 2], [2, 3]]
.
Step 1: Initialization
- We begin by initializing the parent array
p
withp = [0, 1, 2, 3]
.
Step 2: Function Definition - find(x)
- We define the
find
function to find the root parent of a given nodex
. Additionally, this function uses path compression.
Step 3: Process Edges
- We iterate through each edge
[a, b]
in the givenedges
list:- The first edge is
[0, 1]
. We find the roots of0
and1
, which are0
and1
, respectively. Since they have different roots, we perform the union operation by settingp[1]
to the root of0
(which is0
). Nowp = [0, 0, 2, 3]
, and we decrementn
to3
. - The next edge is
[1, 2]
. The roots of1
and2
are0
and2
. They have different roots, so we union them by settingp[2]
to the root of1
(which is0
). Nowp = [0, 0, 0, 3]
, and we decrementn
to2
. - The final edge is
[2, 3]
. The roots of2
and3
are0
and3
. Again, different roots allow us to union them, updatingp[3]
to0
. Our parent array is nowp = [0, 0, 0, 0]
, andn
is decremented to1
.
- The first edge is
Step 4: Final Verification
- After iterating over all the edges, we now check if
n
equals1
. Since that's the case in our example, it means that all nodes are connected in a single component, and since we didn't encounter any cycles during the union operations, the graph forms a valid tree.
So, for this input graph represented by n = 4
and edges = [[0, 1], [1, 2], [2, 3]]
, our algorithm would return True
indicating that the graph is a valid tree.
Solution Implementation
1from typing import List
2
3class Solution:
4 def validTree(self, num_nodes: int, edges: List[List[int]]) -> bool:
5 # Helper function to find the root of a node 'x'.
6 # Uses path compression to flatten the structure for faster future lookups.
7 def find_root(node):
8 if parent[node] != node:
9 parent[node] = find_root(parent[node]) # Path compression
10 return parent[node]
11
12 # Initialize the parent list where each node is initially its own parent.
13 parent = list(range(num_nodes))
14
15 # Iterate over all the edges in the graph.
16 for node_1, node_2 in edges:
17 # Find the root of the two nodes.
18 root_1 = find_root(node_1)
19 root_2 = find_root(node_2)
20
21 # If the roots are the same, it means we encountered a cycle.
22 if root_1 == root_2:
23 return False
24
25 # Union the sets - attach the root of one component to the other.
26 parent[root_1] = root_2
27
28 # Each time we connect two components, reduce the total number of components by one.
29 num_nodes -= 1
30
31 # A tree should have exactly one more node than it has edges.
32 # After union operations, we should have exactly one component left.
33 return num_nodes == 1
34
1class Solution {
2
3 private int[] parent; // The array to track the parent of each node
4
5 // Method to determine if the input represents a valid tree
6 public boolean validTree(int n, int[][] edges) {
7 parent = new int[n]; // Initialize the parent array
8
9 // Set each node's parent to itself
10 for (int i = 0; i < n; ++i) {
11 parent[i] = i;
12 }
13
14 // Loop through all edges
15 for (int[] edge : edges) {
16 int nodeA = edge[0];
17 int nodeB = edge[1];
18
19 // If both nodes have the same root, there's a cycle, and it's not a valid tree
20 if (find(nodeA) == find(nodeB)) {
21 return false;
22 }
23
24 // Union the sets to which both nodes belong by updating the parent
25 parent[find(nodeA)] = find(nodeB);
26
27 // Decrement the number of trees - we are combining two trees into one
28 --n;
29 }
30
31 // If there's exactly one tree left, the structure is a valid tree
32 return n == 1;
33 }
34
35 // Method to find the root (using path compression) of the set to which x belongs
36 private int find(int x) {
37 // If x is not the parent of itself, recursively find the root parent and apply path compression
38 if (parent[x] != x) {
39 parent[x] = find(parent[x]);
40 }
41
42 return parent[x]; // Return the root parent of x
43 }
44}
45
1#include <vector>
2using namespace std;
3
4class Solution {
5public:
6 // Parent array representing the disjoint set forest
7 vector<int> parent;
8
9 // Function to check if given edges form a valid tree
10 bool validTree(int n, vector<vector<int>>& edges) {
11 // Initialize every node to be its own parent, forming n disjoint sets
12 parent.resize(n);
13 for (int i = 0; i < n; ++i) parent[i] = i;
14
15 // Iterate through each edge
16 for (auto& edge : edges) {
17 int node1 = edge[0], node2 = edge[1];
18 // Check if both nodes have the same root
19 // If they do, a cycle is detected and it's not a valid tree
20 if (find(node1) == find(node2)) return false;
21
22 // Union the sets of the two nodes
23 parent[find(node1)] = find(node2);
24
25 // Decrement the count of trees because one edge connects two nodes in a single tree
26 --n;
27 }
28 // For a valid tree, after connecting all nodes there should be exactly one set left (one tree)
29 return n == 1;
30 }
31
32 // Helper function for finding the root of a node
33 int find(int x) {
34 // Path compression: Update the parent along the find path directly to the root
35 if (parent[x] != x) parent[x] = find(parent[x]);
36 return parent[x];
37 }
38};
39
1// Function to determine if a given undirected graph is a valid tree
2/**
3 * @param {number} numberOfNodes - the number of nodes in the graph
4 * @param {number[][]} graphEdges - the edges of the graph
5 * @return {boolean} - true if the graph is a valid tree, false otherwise
6 */
7const validTree = (numberOfNodes: number, graphEdges: number[][]): boolean => {
8 // Parent array to track the root parent of each node
9 let parent: number[] = new Array(numberOfNodes);
10
11 // Initialize parent array so each node is its own parent initially
12 for (let i = 0; i < numberOfNodes; ++i) {
13 parent[i] = i;
14 }
15
16 // Helper function to find the root parent of a node
17 const findRootParent = (node: number): number => {
18 if (parent[node] !== node) {
19 // Path compression: make the found root parent the direct parent of 'node'
20 parent[node] = findRootParent(parent[node]);
21 }
22 return parent[node];
23 };
24
25 // Explore each edge to check for cycles and connect components
26 for (const [nodeA, nodeB] of graphEdges) {
27 // If two nodes have the same root parent, a cycle is detected
28 if (findRootParent(nodeA) === findRootParent(nodeB)) {
29 return false;
30 }
31 // Union operation: connect the components by making them share the same root parent
32 parent[findRootParent(nodeA)] = findRootParent(nodeB);
33 // Decrement the number of components by 1 for each successful union
34 --numberOfNodes;
35 }
36
37 // A valid tree must have exactly one connected component with no cycles
38 return numberOfNodes === 1;
39};
40
41// Example usage:
42console.log(validTree(5, [[0, 1], [1, 2], [2, 3], [1, 4]])); // Outputs: true
43
Time and Space Complexity
The given Python code implements a union-find algorithm to determine if an undirected graph forms a valid tree. It uses path compression to optimize the find operation.
Time Complexity:
The time complexity of the validTree
function mainly depends on the two operations: find
and union
.
-
The
find
function has a time complexity of O(α(n)) per call, where α(n) represents the Inverse Ackermann function which grows very slowly. In practical scenarios, α(n) is less than 5 for all reasonable values of n. -
Each edge leads to a single call to the
find
function during processing, and possibly a union operation if the vertices belong to different components. Thus, with m edges, there would be 2m calls tofind
, taking O(α(n)) each. -
Also, the loop through the edges happens exactly m times, where m is the number of edges.
Bringing it all together, the overall time complexity is O(mα(n)).
However, since the graph must have exactly n - 1 edges to form a tree (where n is the number of nodes), m can be replaced by n - 1. Therefore, the time complexity simplifies to O((n - 1)α(n)) which is also written as O(nα(n)), since the -1 is negligible compared to n for large n.
Space Complexity:
The space complexity is determined by the storage required for the parent array p
, which has length n.
-
The space taken by the parent array is O(n).
-
Aside from the parent array
p
and the inputedges
, only a fixed amount of space is used for variables likea
,b
, andx
.
Thus, the space complexity of the algorithm is O(n).
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following problems can be solved with backtracking (select multiple)
Recommended Readings
https algomonster s3 us east 2 amazonaws com cover_photos dfs svg Depth First Search Prereqs Recursion Review problems recursion_intro Trees problems tree_intro With a solid understanding of recursion under our belts we are now ready to tackle one of the most useful techniques in coding interviews Depth First Search DFS
https algomonster s3 us east 2 amazonaws com cover_photos bfs svg Breadth First Search on Trees Hopefully by this time you've drunk enough DFS Kool Aid to understand its immense power and seen enough visualization to create a call stack in your mind Now let me introduce the companion spell
Union Find Disjoint Set Union Data Structure Introduction Prerequisite Depth First Search Review problems dfs_intro Once we have a strong grasp of recursion and Depth First Search we can now introduce Disjoint Set Union DSU This data structure is motivated by the following problem Suppose we have sets of elements
Want a Structured Path to Master System Design Too? Don’t Miss This!