Sponsored
Sponsored
This approach utilizes recursion to traverse the N-ary tree in a postorder fashion. For each node, we recursively visit all its children first before processing the node itself.
Time Complexity: O(n), where n is the number of nodes, as each node is visited once.
Space Complexity: O(n) for the recursion stack in the worst case (maximum tree height).
1class Node:
2 def __init__(self, val=None, children=None):
3 self.val = val
4 self.children = children if children is not None else []
5
6class Solution:
7 def postorder(self, root: 'Node') -> List[int]:
8 def recurse(node):
9 if not node:
10 return
11 for child in node.children:
12 recurse(child)
13 output.append(node.val)
14
15 output = []
16 recurse(root)
17 return output
18
Python's solution follows the recursive strategy with an inner function recurse
for traversal. This function is called with each child node and appends the current node value to the result list. The main function initiates the result list and starts the traversal with the root node.
This approach uses an iterative method to perform postorder traversal with the help of a stack to simulate recursion. Nodes are pushed onto the stack in such a way that their children are processed before the node itself.
Time Complexity: O(n)
Space Complexity: O(n)
1import
In Java, we manage the postorder traversal with a stack and a linked list to prepend node values. Nodes are pushed onto the stack, processed by visiting children first, and added to the list in reverse order. The use of addFirst
ensures that the values appear in postorder upon completion.