Problem Description
You are given an integer n. There is an undirected graph with n vertices, numbered from 0 to n - 1. You are given a 2D integer array edges where edges[i] = [ai, bi] denotes that there exists an undirected edge connecting vertices ai and bi. Return the number of complete connected components of the graph. A connected component is a subgraph in which there exists a path between any two vertices, and no vertex of the subgraph shares an edge with a vertex outside of the subgraph. A connected component is said to be complete if there exists an edge between every pair of its vertices.
Key Insights
- A complete connected component with k vertices must have exactly k * (k - 1) / 2 edges.
- We can utilize Depth-First Search (DFS) or Breadth-First Search (BFS) to explore each component of the graph.
- By tracking the number of vertices and edges in each component, we can determine if a component is complete.
- The graph can be represented using an adjacency list for efficient traversal.
Space and Time Complexity
Time Complexity: O(n + e), where n is the number of vertices and e is the number of edges, due to the need to traverse the graph. Space Complexity: O(n), for storing the adjacency list and visited nodes.
Solution
To solve this problem, we can use a graph traversal algorithm such as Depth-First Search (DFS) to explore each connected component of the graph. We will:
- Construct an adjacency list from the edges.
- Use a visited set to keep track of which vertices have been explored.
- For each unvisited vertex, initiate a DFS to explore the entire connected component, counting the vertices and edges.
- After traversing a component, check if it is complete by verifying if the number of edges matches the required number for a complete component (k * (k - 1) / 2).
- Count and return the number of complete components found.