Created
September 5, 2019 07:21
-
-
Save clarkngo/5adce6cde94ca15d9fad758737761bcf to your computer and use it in GitHub Desktop.
Binary Tree for C++
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
#include <iostream> | |
using namespace std; | |
struct node | |
{ | |
int data; | |
struct node *left; | |
struct node *right; | |
}; | |
/* newNode() allocates a new node with the given data and NULL left and | |
right pointers. */ | |
struct node* newNode(int data) | |
{ | |
// Allocate memory for new node | |
struct node* node = (struct node*)malloc(sizeof(struct node)); | |
// Assign data to this node | |
node->data = data; | |
// Initialize left and right children as NULL | |
node->left = NULL; | |
node->right = NULL; | |
return(node); | |
} | |
int main() | |
{ | |
/*create root*/ | |
struct node *root = newNode(1); | |
/* following is the tree after above statement | |
1 | |
/ \ | |
NULL NULL | |
*/ | |
root->left = newNode(2); | |
root->right = newNode(3); | |
/* 2 and 3 become left and right children of 1 | |
1 | |
/ \ | |
2 3 | |
/ \ / \ | |
NULL NULL NULL NULL | |
*/ | |
root->left->left = newNode(4); | |
/* 4 becomes left child of 2 | |
1 | |
/ \ | |
2 3 | |
/ \ / \ | |
4 NULL NULL NULL | |
/ \ | |
NULL NULL | |
*/ | |
getchar(); | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment