Maximum difference between node and its ancestor

PROBLEM :
Given a Binary Tree you need to  find maximum value which you  can get by subtracting value of node B from value of node A, where A and B are two nodes of the binary tree and A is an ancestor of B . You are required to complete the function maxDiff . You should not read any input from stdin/console. There are multiple test cases. For each test case, this method will be called individually.

Input:
The task is to complete the function maxDiff which takes 1 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 return an integer denoting the maximum difference.

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

Example
Input
1
2
5 2 L 5 1 R

Output
4

              5
           /    \
         2      1
In above example there is one test case which represents a  tree with 3 nodes and 2 edges where root is 5, left child of 5 is 2 and right child of 5 is 1 hence the max difference we can get is from 5 and 1 ie 4 .


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

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

/* Your are required to
complete this method*/

void find_maxDiFF(Node *,int ,int *) ;

int maxDiff(Node* root)
{
    if(root==NULL)
        return 0 ;
       
    int large,max ;
    large=root->data ;
    max=INT_MIN ;
   
    find_maxDiFF(root,large,&max) ;
    return max ;
}

void find_maxDiFF(Node *root,int large,int *max)
{
    if(root==NULL)
        return ;
    if(large!=root->data)  
        (*max)=(*max)>large-root->data?(*max):large-root->data ;
 
    if(root->data>large)
        large=root->data ;
       
    find_maxDiFF(root->left,large,&(*max)) ;
    find_maxDiFF(root->right,large,&(*max)) ;
}

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

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 )