Wednesday, March 2, 2011

WAP to Do Clone of Tree e.g Mirror Tree

#include
#include

/* 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;
};

/* Helper function that allocates a new node with the
given data and NULL left and right pointers. */
struct node* newNode(int data)

{
struct node* node = (struct node*)
malloc(sizeof(struct node));
node->data = data;
node->left = NULL;
node->right = NULL;

return(node);
}

/* Change a tree so that the roles of the left and
right pointers are swapped at every node.

So the tree...
4
/ \
2 5
/ \
1 3

is changed to...
4
/ \
5 2
/ \
3 1
*/
struct node* copy(struct node *root)
{
struct node *temp;

if(root==NULL)return(NULL);

temp = (struct node *) malloc(sizeof(struct node ));
temp->data= root->data;

temp->left = copy(root->left);
temp->right = copy(root->right);

return(temp);
}





/* Helper function to test mirror(). Given a binary
search tree, print out its data elements in
increasing sorted order.*/
void inOrder(struct node* node)
{
if (node == NULL)
return;

inOrder(node->left);
printf("%d ", node->data);

inOrder(node->right);
}

/* Driver program to test mirror() */
int main()
{
struct node *root = newNode(1);
root->left = newNode(2);
root->right = newNode(3);
root->left->left = newNode(4);
root->left->right = newNode(5);

/* Print inorder traversal of the input tree */
printf("\n Inorder traversal of the constructed tree is \n");
inOrder(root);

/* Convert tree to its mirror */
root=copy(root);

/* Print inorder traversal of the mirror tree */
printf("\n Inorder traversal of the mirror tree is \n");
inOrder(root);

getchar();
return 0;
}

3 comments :

Sukhmeet2390 said...

i think u just forgot to swap the left and the right childs..!!

Unknown said...

@sukhmeet thanks for pointing out
actually we need to change temp->left=copy(node->right);
temp->right=copy(node-.left);

thats it now u can run the program & do notify me if its not giving correct o/p

shashank

Unknown said...

for detail you can go through this code http://ideone.com/bLFS1 :)


Shashank