Problem Description
There is an undirected tree with n nodes labeled from 0 to n - 1, and rooted at node 0. You are given a 2D integer array edges of length n - 1, where edges[i] = [ai, bi] indicates that there is an edge between nodes ai and bi in the tree. A node is good if all the subtrees rooted at its children have the same size. Return the number of good nodes in the given tree.
Key Insights
- A node is considered good if all its children (subtrees) have the same number of nodes.
- A depth-first search (DFS) approach can be used to traverse the tree and calculate the size of each node's subtree.
- While calculating subtree sizes, maintain a count of how many times each size occurs among the children of a node.
- A node is good if there is only one unique size among its children's subtrees.
Space and Time Complexity
Time Complexity: O(n) - Each node and edge is visited once during the DFS traversal.
Space Complexity: O(n) - The space is used for the adjacency list representation of the tree and the recursion stack.
Solution
To solve the problem, we can represent the tree using an adjacency list. We will use a DFS approach to traverse the tree starting from the root (node 0). For each node, we will calculate the size of its subtree, and maintain a frequency count of the sizes of its children's subtrees. If there is only one unique size, the node is considered good.
- Build the tree using an adjacency list from the edges.
- Implement a recursive DFS function that calculates the size of each subtree.
- During the DFS, keep track of the count of subtree sizes for each node.
- For each node, check if all children's subtree sizes are the same.
- Return the count of good nodes.