Problem Description
Given a bi-directional graph with n vertices, represented by a 2D integer array edges, return the length of the shortest cycle in the graph. If no cycle exists, return -1. A cycle is defined as a path that starts and ends at the same node, using each edge only once.
Key Insights
- The problem requires finding cycles in an undirected graph.
- A cycle can be detected using Breadth-First Search (BFS) or Depth-First Search (DFS).
- The shortest cycle can be found by tracking the distance from the starting node during the search.
- We need to ensure that we do not count the immediate backtracking edge as part of the cycle.
Space and Time Complexity
Time Complexity: O(V + E), where V is the number of vertices and E is the number of edges. Each vertex and edge is processed at most once. Space Complexity: O(V), for storing the graph and the BFS queue.
Solution
To solve the problem, we can use a Breadth-First Search (BFS) approach. We will iterate through each vertex and perform a BFS to explore all reachable nodes, keeping track of the distance from the starting node. If we encounter a previously visited node that is not the immediate parent, we have found a cycle. We will record the length of this cycle and update the minimum length found.
- Represent the graph using an adjacency list.
- For each vertex, initiate a BFS.
- Use a queue to manage the vertices to be explored, along with their distances from the starting vertex.
- On visiting a node, check for cycles by examining previously visited nodes.
- Keep track of the minimum cycle length found.