C ++
 Computer >> コンピューター >  >> プログラミング >> C ++

C++プログラミングでレベル順トラバーサルを1行ずつ印刷します。


二分木が与えられた場合、関数はツリーのレベル順トラバーサルを行ごとに見つける必要があります。

レベル順トラバーサル:左ルート右。これは、最初にルートの値よりもノードの左の子を出力し、次に右の子に移動することを意味しますが、ここでは、左から開始して右で終了する行ごとに実行する必要があります。特定の二分木のノード。

C++プログラミングでレベル順トラバーサルを1行ずつ印刷します。

上記の二分木は次の出力を生成します-

Level 0: 3
Level 1: 2 1
Level 2: 10 20 30

アルゴリズム

START
Step 1 -> create a structure of a node as
   struct node
      struct node *left, *right
      int data
   End
Step 2 -> function to create a node
   node* newnode(int data)
   node *temp = new node
   temp->data = data
   temp->left = temp->right= NULL
   return temp
step 3 -> function for inorder traversal
   void levelorder(node *root)
   IF root = NULL
      Return
   End
   queue<node *> que
   que.push(root)
   Loop While que.empty() = false
      int count = que.size()
      Loop While count > 0
         node *node = que.front()
         print node->data
         que.pop()
      IF node->left != NULL
         que.push(node->left)
      End
      IF node->right != NULL
         que.push(node->right)
      End
      Decrement count by 1
   End
End
Step 4 -> In main() function
   Create tree using node *root = newnode(3)
   Call levelorder(root)
STOP

#include <iostream>
#include <queue>
using namespace std;
//it will create a node structure
struct node{
   struct node *left;
   int data;
   struct node *right;
};
void levelorder(node *root){
   if (root == NULL)
      return;
   queue<node *> que;
   que.push(root);
   while (que.empty() == false){
      int count = que.size();
      while (count > 0){
         node *node = que.front();
         cout << node->data << " ";
         que.pop();
         if (node->left != NULL)
            que.push(node->left);
         if (node->right != NULL)
            que.push(node->right);
         count--;
      }
   }
}
//it will create a new node
node* newnode(int data){
   node *temp = new node;
   temp->data = data;
   temp->left = NULL;
   temp->right = NULL;
   return temp;
}
int main(){
   // it will generate the binary tree
   node *root = newnode(3);
   root->left = newnode(2);
   root->right = newnode(1);
   root->left->left = newnode(10);
   root->left->right = newnode(20);
   root->right->right = newnode(30);
   levelorder(root);
   return 0;
}

出力

上記のプログラムを実行すると、次の出力が生成されます

3 2 1 10 20 30

  1. C++プログラミングのバイナリツリーの各ノードのセットビット数を出力します。

    バイナリツリーが与えられると、関数はノードに格納されているキーのバイナリ値を生成し、そのバイナリに相当するビット数(1)を返します。 例 次のようなキーを持つ二分木:10 3 211 140162100および146 キー 同等のバイナリ ビット(出力)を設定 10 1010 2 3 0011 2 211 11010011 5 140 10001100 3 162 10100010 3 100 1100100 3 146 10010010 3 ここでは、関数_

  2. C++プログラミングでレベル順トラバーサルを1行ずつ印刷します。

    二分木が与えられた場合、関数はツリーのレベル順トラバーサルを行ごとに見つける必要があります。 レベル順トラバーサル:左ルート右。これは、最初にルートの値よりもノードの左の子を出力し、次に右の子に移動することを意味しますが、ここでは、左から開始して右で終了する行ごとに実行する必要があります。特定の二分木のノード。 上記の二分木は次の出力を生成します- Level 0: 3 Level 1: 2 1 Level 2: 10 20 30 アルゴリズム START Step 1 -> create a structure of a node as    struct