-
Notifications
You must be signed in to change notification settings - Fork 46
/
Copy pathboundaryTraversalRecursive.cpp
55 lines (44 loc) · 1.07 KB
/
boundaryTraversalRecursive.cpp
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
52
53
54
55
#include <iostream>
#include "basicTreeTemplate.h"
using namespace std;
void printRightBoundary(BNode *root)
{
if (!root || (!root->left && !root->right))
return;
printRightBoundary(root->right);
cout << root->data << " ";
}
void printLeaves(BNode *root)
{
if (!root)
return;
printLeaves(root->left);
if (!root->left && !root->right)
cout << root->data << " ";
printLeaves(root->right);
}
void printLeftBoundary(BNode *root)
{
if (!root || (!root->left && !root->right))
return;
cout << root->data << " ";
printLeftBoundary(root->left);
}
void boundaryTrav(BNode *root)
{
printLeftBoundary(root);
printLeaves(root);
printRightBoundary(root->right);
}
int main()
{
BNode *root = createNode(20);
root->left = createNode(8);
root->left->left = createNode(4);
root->left->right = createNode(12);
root->left->right->left = createNode(10);
root->left->right->right = createNode(14);
root->right = createNode(22);
root->right->right = createNode(25);
boundaryTrav(root);
}