count leaf nodes in a binary tree
PROBLEM :
Given a binary tree, count leaves in it. For example, there are two leaves in below tree
1
/ \
10 39
/
5
Input:
The task is to complete the method which takes one argument, root of Binary 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 count of leaves
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 return count of leaves. For example, return
value should be 2 for following tree.
10
/ \
20 30 */
int countLeaves(struct Node* root)
{
if(root==NULL)
return 0 ;
if(root->left==NULL&&root->right==NULL)
return 1 ;
return(countLeaves(root->left)+countLeaves(root->right)) ;
}
---------------------------------------------------------------------------------
Given a binary tree, count leaves in it. For example, there are two leaves in below tree
1
/ \
10 39
/
5
Input:
The task is to complete the method which takes one argument, root of Binary 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 count of leaves
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 return count of leaves. For example, return
value should be 2 for following tree.
10
/ \
20 30 */
int countLeaves(struct Node* root)
{
if(root==NULL)
return 0 ;
if(root->left==NULL&&root->right==NULL)
return 1 ;
return(countLeaves(root->left)+countLeaves(root->right)) ;
}
---------------------------------------------------------------------------------
Comments
Post a Comment