Problem Description
You are given a directed graph consisting of n nodes numbered from 0 to n - 1 and n directed edges represented by an array edges where edges[i] indicates an edge from node i to edges[i]. Starting from each node, you need to determine how many different nodes can be visited before encountering a cycle. Return an array where answer[i] is the number of different nodes visited starting from node i.
Key Insights
- The graph contains cycles due to the directed edges.
- Starting from any node, the traversal can lead to a cycle, so we need to track visited nodes.
- We can use Depth-First Search (DFS) or memoization to efficiently explore the nodes.
- The challenge lies in efficiently handling the potentially large number of nodes (up to 100,000).
Space and Time Complexity
Time Complexity: O(n) - Each node is visited once during the traversal. Space Complexity: O(n) - For the recursion stack in DFS and to store visited states.
Solution
We can solve this problem using Depth-First Search (DFS) combined with memoization to avoid redundant calculations. The main steps include:
- Initialize an answer array to store the number of unique nodes visited from each starting node.
- Use a DFS function that tracks the current node and the nodes visited during the traversal.
- If a node is revisited, we can determine the cycle length and all nodes visited in that cycle.
- Store the results in the answer array for each node.
This approach ensures we efficiently count the unique nodes visited without redundant checks.