Skip to content

Added Binary Tree to C++ #345

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 1 commit into from
Jul 2, 2024
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
126 changes: 126 additions & 0 deletions src/cpp/BinaryTree.cpp
Original file line number Diff line number Diff line change
@@ -0,0 +1,126 @@
#include <iostream>

using namespace std;

// Create a class for the BinaryTree
class BinaryTree
{
// Create a struct for the TreeNode
struct TreeNode
{
// Variables for the TreeNode
int data;
TreeNode* left;
TreeNode* right;

// Constructor for the TreeNode
TreeNode(int value) : data(value), left(nullptr), right(nullptr) {}
};

// Private Variables and Functions
private:
TreeNode* root;

//Insert Function
TreeNode* insert(TreeNode* root, int value)
{
if (root == nullptr)
return new TreeNode(value);

if (value < root->data)
root->left = insert(root->left, value);
else
root->right = insert(root->right, value);

return root;
}

// Print Inorder Function
void printInorder(TreeNode* head)
{
if (head != nullptr)
{
printInorder(head->left);
cout << head->data << " ";
printInorder(head->right);
}
}

// Print Preorder Function
void printPreorder(TreeNode* head)
{
if (head != nullptr)
{
cout << head->data << " ";
printPreorder(head->left);
printPreorder(head->right);
}
}

// Print Postorder Function
void printPostorder(TreeNode* head)
{
if (head != nullptr)
{
printPostorder(head->left);
printPostorder(head->right);
cout << head->data << " ";
}
}

// Public Functions
public:
// Constructor
BinaryTree() : root(nullptr) {}

// Insert Function
void insert(int value)
{
root = insert(root, value);
}

// Print Inorder Function
void printInorder()
{
printInorder(root);
cout << endl;
}

// Print Preorder Function
void printPreorder()
{
printPreorder(root);
cout << endl;
}

// Print Postorder Function
void printPostorder()
{
printPostorder(root);
cout << endl;
}
};

int main()
{
// Create tree
BinaryTree binaryTree;

binaryTree.insert(10);
binaryTree.insert(6);
binaryTree.insert(15);
binaryTree.insert(3);
binaryTree.insert(8);
binaryTree.insert(20);

cout << "InOrder: ";
binaryTree.printInorder();

cout << "PreOrder: ";
binaryTree.printPreorder();

cout << "PostOrder: ";
binaryTree.printPostorder();

return 0;
}
Loading