Write a C Program to implement the following functions on Binary Search Tree
-To count leaf nodes.
-To count total number of nodes.
#include <stdio.h>
#include <stdlib.h>
// Structure of a BST node
struct Node {
int data;
struct Node* left;
struct Node* right;
};
// Function to create a new node
struct Node* createNode(int data) {
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
newNode->data = data;
newNode->left = NULL;
newNode->right = NULL;
return newNode;
}
// Function to insert a node in BST
struct Node* insert(struct Node* root, int data) {
if (root == NULL)
return createNode(data);
if (data < root->data)
root->left = insert(root->left, data);
else if (data > root->data)
root->right = insert(root->right, data);
return root;
}
// Function to count total nodes
int countTotalNodes(struct Node* root) {
if (root == NULL)
return 0;
return 1 + countTotalNodes(root->left) + countTotalNodes(root->right);
}
// Function to count leaf nodes
int countLeafNodes(struct Node* root) {
if (root == NULL)
return 0;
if (root->left == NULL && root->right == NULL)
return 1;
return countLeafNodes(root->left) + countLeafNodes(root->right);
}
// Main function
int main() {
struct Node* root = NULL;
int n, value;
printf("Enter number of nodes to insert in BST: ");
scanf("%d", &n);
printf("Enter %d values:\n", n);
for (int i = 0; i < n; i++) {
scanf("%d", &value);
root = insert(root, value);
}
printf("Total number of nodes: %d\n", countTotalNodes(root));
printf("Number of leaf nodes: %d\n", countLeafNodes(root));
return 0;
}
