Problem Description
You are given a tree consisting of n nodes numbered from 0 to n - 1 and exactly n - 1 edges. Each node has a label which is a lower-case character given in the string labels. The edges array represents connections between nodes. Return an array where ans[i] is the number of nodes in the subtree of the i-th node which have the same label as node i.
Key Insights
- The tree is a connected, undirected graph with no cycles.
- Each node is part of its own subtree.
- Depth-First Search (DFS) can be employed to traverse the tree and count labels.
- We can use a dictionary to keep track of label counts in each subtree.
Space and Time Complexity
Time Complexity: O(n) - Each node and edge is visited once. Space Complexity: O(n) - Space for the adjacency list representation and for storing counts.
Solution
The problem can be solved using a Depth-First Search (DFS) approach. We will represent the tree using an adjacency list. Starting from the root node (node 0), we will traverse the tree recursively. For each node, we will count the occurrences of its label in its subtree. We will use a dictionary to keep track of the counts of each label. The key steps are:
- Build the tree using the edges to create an adjacency list.
- Use DFS to traverse the tree, counting the occurrences of labels in each subtree.
- Store the results in an array to return the final counts for each node.