Post

All in One Traversal

All in One Traversal

Preorder, Inorder, and Postorder Traversals in One Traversal

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
vector<vector<int>> preInPostTraversal(TreeNode* root)
{
    stack<pair<TreeNode*, int>> st;
    st.push({root, 1});

    vector<int> pre, in, post;
    
    // Return empty vectors if the root is NULL 
    if (root == NULL) return {{}, {}, {}};  
    
    while (!st.empty())
    {
        auto it = st.top();
        st.pop();

        // Preorder: Increment 1 to 2, and push left side of the tree
        if (it.second == 1)
        {
            pre.push_back(it.first->val);
            it.second++;
            st.push(it);

            if (it.first->left != NULL)
            {
                st.push({it.first->left, 1});
            }
        }

        // Inorder: Increment 2 to 3, and push right
        else if (it.second == 2)
        {
            in.push_back(it.first->val);
            it.second++;
            st.push(it);

            if (it.first->right != NULL)
            {
                st.push({it.first->right, 1});
            }
        }

        // Postorder: Don't push it back again if it.second == 3
        else
        {
            post.push_back(it.first->val);
        }
    }
    
    // Return preorder, inorder, and postorder separately as a vector of vectors
    return {pre, in, post};  
}
This post is licensed under CC BY 4.0 by the author.