Created
March 6, 2022 03:45
-
-
Save winhtut/f57547cc41cca798413933eb938b5c13 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Checking if a binary tree is a full binary tree in C++ | |
#include <iostream> | |
using namespace std; | |
struct Node { | |
int key; | |
struct Node *left, *right; | |
}; | |
// New node creation | |
struct Node *newNode(char k) { | |
struct Node *node = (struct Node *)malloc(sizeof(struct Node)); | |
node->key = k; | |
node->right = node->left = NULL; | |
return node; | |
} | |
bool isFullBinaryTree(struct Node *root) { | |
// Checking for emptiness | |
if (root == NULL) | |
return true; | |
// Checking for the presence of children | |
if (root->left == NULL && root->right == NULL) | |
return true; | |
if ((root->left) && (root->right)) | |
return (isFullBinaryTree(root->left) && isFullBinaryTree(root->right)); | |
return false; | |
} | |
int main() { | |
struct Node *root = NULL; | |
root = newNode(1); | |
root->left = newNode(2); | |
root->right = newNode(3); | |
root->left->left = newNode(4); | |
root->left->right = newNode(5); | |
root->left->right->left = newNode(6); | |
root->left->right->right = newNode(7); | |
if (isFullBinaryTree(root)) | |
cout << "The tree is a full binary tree\n"; | |
else | |
cout << "The tree is not a full binary tree\n"; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment