grid47 Exploring patterns and algorithms
Sep 9, 2024
5 min read
Solution to LeetCode 589: N-ary Tree Preorder Traversal Problem
Given the root of an n-ary tree, return the preorder traversal of its nodes’ values. In one step, the node is visited first, followed by its children from left to right. The input is serialized in a level order format where each group of children is separated by a null value.
Problem
Approach
Steps
Complexity
Input: The root of an n-ary tree, represented in a serialized level order format, where each node and its children are listed sequentially. Each group of children is separated by a null value.
• Explanation: Preorder traversal starts with the root node (10), followed by its children (20, 30, 40), and then recursively visits each child's children in the same manner.
Declares a global variable `ans`, a vector of integers, which will store the node values in preorder during the traversal.
2 : Function Declaration
voidpre(Node* root) {
Declares the recursive helper function `pre`, which takes a pointer to the root of a node in the tree and performs the preorder traversal.
3 : Base Case
if(root ==NULL) return;
Checks if the current node is null (base case). If it is, the function returns immediately without doing any further processing.
4 : Push Current Node Value
ans.push_back(root->val);
Pushes the current node's value to the `ans` vector to record it in the preorder sequence.
5 : Recursive Traversal
for(autox: root->children)
Iterates over each child of the current node (since it is assumed to be a tree or n-ary tree). The function recursively calls `pre` on each child.
6 : Recursive Call
pre(x);
Recursively calls the `pre` function on the child node `x` to traverse deeper into the tree.
7 : Function Declaration
vector<int> preorder(Node* root) {
Declares the main `preorder` function, which initializes the preorder traversal by calling the helper function `pre` and then returns the result stored in the `ans` vector.
8 : Initial Traversal Call
pre(root);
Calls the helper function `pre` to start the preorder traversal from the root node.
9 : Return Result
return ans;
Returns the vector `ans`, which contains the values of the nodes in preorder.
Best Case: O(n)
Average Case: O(n)
Worst Case: O(n)
Description: The time complexity is O(n), where n is the number of nodes in the tree.
Best Case: O(h)
Worst Case: O(h)
Description: The space complexity is O(h), where h is the height of the tree, due to the recursive call stack.