-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathin_order_using_stack.cpp
More file actions
38 lines (31 loc) · 1.01 KB
/
in_order_using_stack.cpp
File metadata and controls
38 lines (31 loc) · 1.01 KB
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
/*
1) Create an empty stack S.
2) Initialize current node as root
3) Push the current node to S and set current = current->left until current is NULL
4) If current is NULL and stack is not empty then
a) Pop the top item from stack.
b) Print the popped item, set current = popped_item->right
c) Go to step 3.
5) If current is NULL and stack is empty then we are done.
*/
void inOrder(struct Node *root)
{
stack<Node *> s;
Node *curr = root;
while (curr != NULL || s.empty() == false)
{
// Reach the left most Node of the curr Node
while (curr != NULL)
{
//place pointer to a tree node on the stack before traversing the node's left subtree
s.push(curr);
curr = curr->left;
}
//Current must be NULL at this point
curr = s.top();
s.pop();
cout << curr->data << " ";
// we have visited the node and its left subtree. Now, it's right subtree's turn
curr = curr->right;
}
}