Advertisement
informaticage

Binary tree

Jul 26th, 2023
832
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
C++ 2.10 KB | None | 0 0
  1. #include <iostream>
  2. #include <queue>
  3.  
  4. struct BinaryNode {
  5.     int value;
  6.  
  7.     BinaryNode *left;
  8.     BinaryNode *right;
  9.  
  10.     BinaryNode(int value) {
  11.         this->value = value;
  12.         this->left = nullptr;
  13.         this->right = nullptr;
  14.     }
  15. };
  16.  
  17. int max_depth(BinaryNode *root) {
  18.     if (root == nullptr) return 0;
  19.  
  20.     return std::min(
  21.         max_depth(root->left),
  22.         max_depth(root->right)
  23.     ) + 1;
  24. }
  25.  
  26. void insert_left_most(BinaryNode *root, int value) {
  27.     if (root->left == nullptr) {
  28.         root->left = new BinaryNode(value);
  29.         return;
  30.     }
  31.  
  32.     insert_left_most(root->left, value);
  33. }
  34.  
  35. void preorder_visit(BinaryNode *root) {
  36.     if (root == nullptr) {
  37.         return;
  38.     }
  39.  
  40.     std::cout << root->value << " ";
  41.     preorder_visit(root->left);
  42.     preorder_visit(root->right);
  43. }
  44.  
  45. void inorder_visit(BinaryNode *root) {
  46.     if (root == nullptr) {
  47.         return;
  48.     }
  49.  
  50.     inorder_visit(root->left);
  51.     std::cout << root->value << " ";
  52.     inorder_visit(root->right);
  53. }
  54.  
  55. void postorder_visit(BinaryNode *root) {
  56.     if (root == nullptr) {
  57.         return;
  58.     }
  59.  
  60.     postorder_visit(root->left);
  61.     postorder_visit(root->right);
  62.     std::cout << root->value << " ";
  63. }
  64.  
  65. void level_order(BinaryNode *root) {
  66.     std::queue<BinaryNode *> q;
  67.     q.push(root);
  68.     BinaryNode *toppom;
  69.  
  70.     while (!q.empty()) {
  71.         toppom = q.front();
  72.         std::cout << toppom->value << " ";
  73.  
  74.         q.pop();
  75.  
  76.         if(toppom->left != nullptr) q.push(toppom->left);
  77.         if(toppom->right != nullptr) q.push(toppom->right);
  78.     }
  79. }
  80.  
  81.  
  82. int main() {
  83.     BinaryNode *root = new BinaryNode(1);
  84.  
  85.     root->left = new BinaryNode(2);
  86.     root->right = new BinaryNode(3);
  87.  
  88.     root->left->left = new BinaryNode(4);
  89.     root->left->right = new BinaryNode(5);
  90.  
  91.     std::cout << max_depth(root) << std::endl;
  92.  
  93.     insert_left_most(root, 6);
  94.  
  95.     preorder_visit(root);
  96.     std::cout << std::endl;
  97.     inorder_visit(root);
  98.     std::cout << std::endl;
  99.     postorder_visit(root);
  100.     std::cout << std::endl;
  101.  
  102.     level_order(root);
  103.     return 0;
  104. }
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement