This post is completed by 1 user

  • 0
Add to List
Beginner

182. Binary Tree-Postorder Traversal - Non Recursive Approach

Objective: Given a binary tree, write a non-recursive or iterative algorithm for postorder traversal.

Tree Traversals - Postorder
Tree Traversals - Postorder

Example:

Earlier we have seen "What is postorder traversal and recursive algorithm for it", In this article, we will solve it in an iterative/Non Recursive manner.

Approach:

  1. We have seen how we do inorder and preorder traversals without recursion using Stack, But post-order traversal will be different and slightly more complex than the other two. The reason is post order is non-tail recursive ( The statements execute after the recursive call).
  2. If you just observe here, postorder traversal is just the reverse of preorder traversal (1 3 7 6 2 5 4 if we traverse the right node first and then the left node.)
  3. So the idea is to follow the same technique as preorder traversal and instead of printing it push it to another Stack so that they will come out in reverse order (LIFO).
  4. At the end just pop all the items from the second Stack and print it.

Pseudo Code:

  1. Push root into Stack_One.
  2. while(Stack_One is not empty)
    1. Pop the node from Stack_One and push it into Stack_Two.
    2. Push the left and right child nodes of the popped node into Stack_One.
  3. End Loop
  4. Pop-out all the nodes from Stack_Two and print it.

See the animated image below and code for more understanding.

Postorder traversal
Postorder traversal

Code:


Output:

4 5 2 6 7 3 1
4 5 2 6 7 3 1