Convert a Binary Tree into its Mirror Tree
PROBLEM :
Given a Binary Tree, convert it into its mirror.
Input:
The task is to complete the method that takes one argument, root of Binary Tree and modifies the tree.
Output:
The function should conert the tree to its mirror
Constraints:
1 <=T<= 30
1 <= Number of nodes<= 100
1 <= Data of a node<= 1000
--------------------------------------------------------------------------------
SIMPLE c++ IMPLEMENTATION :
--------------------------------------------------------------------------------
/* A binary tree node has data, pointer to left child
and a pointer to right child /
struct Node
{
int data;
struct Node* left;
struct Node* right;
}; */
/* Should convert tree to its mirror */
void mirror(struct Node* node)
{
if(node==NULL)
return ;
else
{
mirror(node->left) ;
mirror(node->right) ;
struct Node *temp ;
temp=node->left ;
node->left=node->right ;
node->right=temp ;
}
}
---------------------------------------------------------------------------------
Given a Binary Tree, convert it into its mirror.
Input:
The task is to complete the method that takes one argument, root of Binary Tree and modifies the tree.
Output:
The function should conert the tree to its mirror
Constraints:
1 <=T<= 30
1 <= Number of nodes<= 100
1 <= Data of a node<= 1000
--------------------------------------------------------------------------------
SIMPLE c++ IMPLEMENTATION :
--------------------------------------------------------------------------------
/* A binary tree node has data, pointer to left child
and a pointer to right child /
struct Node
{
int data;
struct Node* left;
struct Node* right;
}; */
/* Should convert tree to its mirror */
void mirror(struct Node* node)
{
if(node==NULL)
return ;
else
{
mirror(node->left) ;
mirror(node->right) ;
struct Node *temp ;
temp=node->left ;
node->left=node->right ;
node->right=temp ;
}
}
---------------------------------------------------------------------------------
Comments
Post a Comment