Problem Description
You are given a directed graph of n nodes numbered from 0 to n - 1, where each node has at most one outgoing edge. The graph is represented with a given 0-indexed array edges of size n, indicating that there is a directed edge from node i to node edges[i]. If there is no outgoing edge from node i, then edges[i] == -1. Return the length of the longest cycle in the graph. If no cycle exists, return -1. A cycle is a path that starts and ends at the same node.
Key Insights
- Each node can have at most one outgoing edge, making the graph a collection of paths and cycles.
- A depth-first search (DFS) can be used to explore the graph and detect cycles.
- We can keep track of visited nodes and their indices to determine the length of cycles.
Space and Time Complexity
Time Complexity: O(n) - Each node is visited at most once. Space Complexity: O(n) - Space used for the visited list and recursion stack.
Solution
To solve the problem, we can use a depth-first search (DFS) approach to explore each node in the graph. We maintain a visited list to track the state of each node (unvisited, visiting, or visited). As we traverse the graph, if we encounter a node that is already in the "visiting" state, we have found a cycle. The length of the cycle can be determined by the difference between the current index and the index at which we first encountered the cycle node. We keep track of the longest cycle found during our traversal.