Boundary Traversal of binary tree

PROBLEM :

Write a function to print Boundary Traversal of a binary tree.
For below tree, function should print 20 8 4 10 14 25 22 .
                                           
 
                               


Input:
The task is to complete the method which takes one argument, root of the Tree. The struct node has a data part which stores the data, pointer to left child and pointer to right child.
There are multiple test cases. For each test case, this method will be called individually.


Output:
The function should print Boundary  traversal of the tree.

Constraints:
1 <=T<= 30
1 <=Number of nodes<= 100
1 <=Data of a node<= 1000

Example:
Input:
2
2
1 2 R 1 3 L
7
20 8 L 20 22 R 8 4 L 8 12 R 12 10 L 12 14 R 22 25 R

Output:
1 3 2
20 8 4 10 14 25 22 .

There are two test casess.  First case represents a tree with 3 nodes and 2 edges where root is 1, left child of 1 is 3 and right child of 1 is 2.   Second test case represents a tree with 7 edges and 8 nodes.

--------------------------------------------------------------------------------
SIMPLE c++ IMPLEMENTATION :
--------------------------------------------------------------------------------

/* A binary tree node
struct node
{
    int data;
    struct Node* left, * right;
}; */

void printleft(node *root) ;
void printleaf(node *root) ;
void printright(node *root) ;

void printBoundary(node *root)
{
    if(root==NULL)
        return ;
       
    cout<<root->data<<" " ;
   
    printleft(root->left) ;
       
    printleaf(root->left) ;
    printleaf(root->right) ;
   
   
    printright(root->right) ;
}

void printleft(node *root)
{
    if(root==NULL)
    return ;
   
    if(root->left)
    {
        cout<<root->data<<" " ;
        printleft(root->left) ;
    }
    else if(root->right)
    {
        cout<<root->data<<" " ;
        printleft(root->right) ;
    }
}

void printleaf(node *root)
{
    if(root==NULL)
        return ;
       
    printleaf(root->left) ;
    if(root->left==NULL&&root->right==NULL)
        cout<<root->data<<" " ;
    printleaf(root->right) ;
}

void printright(node *root)
{
    if(root==NULL)
    return ;
   
    if(root->right)
    {
        printright(root->right) ;
        cout<<root->data<<" " ;
    }
    else if(root->left)
    {
         printright(root->left) ;
        cout<<root->data<<" " ;
    }
}

---------------------------------------------------------------------------------

Comments

Popular posts from this blog

Count ways to N'th Stair(Order does not matter)

Replace all ‘0’ with ‘5’ in an input Integer

Chocolate Distribution Problem

Remove characters from the first string which are present in the second string

Primality Test ( CodeChef Problem code: PRB01 )