This approach utilizes a Depth First Search (DFS) to traverse each node of the tree. During traversal, we maintain a frequency array for each node to keep count of each label in its subtree. The recursion allows merging results from child nodes to calculate the current node's results.
The time complexity is O(n), where n is the number of nodes, because each node and edge is visited once during the DFS traversal. The space complexity is O(n), required for storing the graph representation and frequency arrays.
1from collections import defaultdict
2
3class Solution:
4 def countSubTrees(self, n, edges, labels):
5 tree = defaultdict(list)
6 for a, b in edges:
7 tree[a].append(b)
8 tree[b].append(a)
9
10 result = [0] * n
11 count = [[0] * 26 for _ in range(n)]
12
13 def dfs(node, parent):
14 label_index = ord(labels[node]) - ord('a')
15 count[node][label_index] = 1
16 for child in tree[node]:
17 if child != parent:
18 dfs(child, node)
19 for i in range(26):
20 count[node][i] += count[child][i]
21 result[node] = count[node][label_index]
22
23 dfs(0, -1)
24 return result
25
The Python solution constructs a tree using a defaultdict. The DFS traversal is used to keep a frequency array storing label counts for each node's subtree. As the function moves from child to parent nodes, it updates the current node's counts using its children's data. This is used to determine the result for each node.
This alternative approach utilizes a HashMap to dynamically manage counts of node labels as opposed to fixed-size arrays. The hash map structure allows potential extension to accommodate varying character sets, though for this problem, it's implemented for the fixed set of labels 'a' to 'z'.
The solution has a time complexity of O(n) given tree node analysis occurs once each during DFS with label counting operations. Space complexity is O(n), due to memory allocations for the graph and storage structures.
1var countSubTrees = function(n, edges, labels) {
2 const graph = Array.from({ length: n }, () => []);
3 for (const [a, b] of edges) {
4 graph[a].push(b);
5 graph[b].push(a);
6 }
7
8 const result = Array(n).fill(0);
9 const count = Array.from({ length: n }, () => new Map());
10
11 const dfs = (node, parent) => {
12 const label = labels[node];
13 count[node].set(label, (count[node].get(label) || 0) + 1);
14 for (const child of graph[node]) {
15 if (child === parent) continue;
16 dfs(child, node);
17 for (const [key, value] of count[child].entries()) {
18 count[node].set(key, (count[node].get(key) || 0) + value);
19 }
20 }
21 result[node] = count[node].get(label);
22 };
23
24 dfs(0, -1);
25 return result;
26};
JavaScript's Map provides flexible node count management in this implementation. Employing DFS, the technique dynamically adjusts label frequencies, efficiently merging child findings upward to compute each node's result for its subtree, well accommodated by the map structure.