Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

นับโหนดทรีที่สมบูรณ์ใน C ++


สมมติว่าเรามีต้นไม้ไบนารีที่สมบูรณ์ เราต้องนับจำนวนโหนด ดังนั้นถ้าต้นไม้เป็นเหมือน −

นับโหนดทรีที่สมบูรณ์ใน C ++

ดังนั้นผลลัพธ์จะเป็น 6.

เพื่อแก้ปัญหานี้ เราจะทำตามขั้นตอนเหล่านี้

  • นี่จะใช้วิธีการแบบเรียกซ้ำ เมธอดนี้ countNodes() กำลังรับรูทเป็นอาร์กิวเมนต์
  • ชม :=0 และ hl :=0
  • สร้างสองโหนด l และ r เป็นรูท
  • ในขณะที่ l ยังไม่ว่างเปล่า
    • เพิ่ม hl ขึ้น 1
    • l :=ด้านซ้ายของ l
  • ในขณะที่ r ไม่ว่างเปล่า
    • r :=ด้านขวาของ r
    • เพิ่มชั่วโมงขึ้น 1
  • ถ้า hl =ชม. ให้คืน (2 ^ hl) – 1
  • ส่งคืน 1 + countNodes (ด้านซ้ายของรูท) + countNodes (ทางขวาของรูท)

ให้เราดูการใช้งานต่อไปนี้เพื่อความเข้าใจที่ดีขึ้น -

ตัวอย่าง

#include <bits/stdc++.h>
using namespace std;
class TreeNode{
   public:
      int val;
      TreeNode *left, *right;
      TreeNode(int data){
         val = data;
         left = right = NULL;
      }
};
void insert(TreeNode **root, int val){
   queue<TreeNode*> q;
   q.push(*root);
   while(q.size()){
      TreeNode *temp = q.front();
      q.pop();
      if(!temp->left){
         if(val != NULL)
            temp->left = new TreeNode(val);
         else
            temp->left = new TreeNode(0);
         return;
      }else{
         q.push(temp->left);
      }
      if(!temp->right){
         if(val != NULL)
         temp->right = new TreeNode(val);
      else
         temp->right = new TreeNode(0);
         return;
      } else {
         q.push(temp->right);
      }
   }
}
TreeNode *make_tree(vector<int> v){
   TreeNode *root = new TreeNode(v[0]);
   for(int i = 1; i<v.size(); i++){
      insert(&root, v[i]);
   }
   return root;
}
class Solution {
   public:
   int fastPow(int base, int power){
      int res = 1;
      while(power > 0){
         if(power & 1) res *= base;
         base *= base;
         power >>= 1;
      }
      return res;
   }
   int countNodes(TreeNode* root) {
      int hr = 0;
      int hl = 0;
      TreeNode* l = root;
      TreeNode* r = root;
      while(l){
         hl++;
         l = l->left;
      }
      while(r){
         r = r->right;
         hr++;
      }
      if(hl == hr) return fastPow(2, hl) - 1;
      return 1 + countNodes(root->left) + countNodes(root->right);
   }
};
main(){
   Solution ob;
   vector<int> v = {1,2,3,4,5,6,7,8,9,10};
   TreeNode *node = make_tree(v);
   cout << (ob.countNodes(node));
}

อินพุต

[1,2,3,4,5,6,7,8,9,10]

ผลลัพธ์

10