首頁  >  文章  >  後端開發  >  在C語言中,將二元樹的右側視圖列印出來

在C語言中,將二元樹的右側視圖列印出來

WBOY
WBOY轉載
2023-09-16 23:13:01721瀏覽

任務是列印給定二元樹的右節點。首先使用者將插入資料以建立二元樹,然後列印所形成的樹的右視圖。

在C語言中,將二元樹的右側視圖列印出來

上圖展示了使用節點10、42、93、14、35、96、57和88創建的二元樹,其中選擇並顯示在樹的右側的節點。例如,10、93、57和88是二元樹的最右節點。

範例

Input : 10 42 93 14 35 96 57 88
Output : 10 93 57 88

每個節點都有兩個指針,即左指針和右指針。根據這個問題,程式只需遍歷右節點。因此,不需要考慮節點的左子節點。

右邊視圖儲存了所有那些是其所在層級的最後一個節點的節點。因此,我們可以簡單地使用遞歸方法以這樣的方式儲存和存取節點,即先遍歷右子樹再遍歷左子樹。每當程式偵測到節點的層級大於前一個節點的層級時,前一個節點被顯示出來,因為它將是其所在層級的最後一個節點。

下面的程式碼展示了給定演算法的C語言實作

#演算法##
START
   Step 1 -> create node variable of type structure
      Declare int data
      Declare pointer of type node using *left, *right
   Step 2 -> create function for inserting node with parameter as item
      Declare temp variable of node using malloc
      Set temp->data = item
      Set temp->left = temp->right = NULL
      return temp
   step 3 -> Declare Function void right_view(struct node *root, int level, int *end_level)
      IF root = NULL
         Return
      IF *end_level < level
         Print root->data
         Set *end_level = level
         Call right_view(root->right, level+1, end_level)
         Call right_view(root->left, level+1, end_level)
   Step 4 -> Declare Function void right(struct node *root)
      Set int level = 0
      Call right_view(root, 1, &level)
   Step 5 -> In Main()
      Pass the values for the tree nodes using struct node *root = New(10)
      Call right(root)
STOP

Example

的中文翻譯為:

範例

#include<stdio.h>
#include<stdlib.h>
struct node {
   int data;
   struct node *left, *right;
};
struct node *New(int item) {
   struct node *temp = (struct node *)malloc(sizeof(struct node));
   temp->data = item;
   temp->left = temp->right = NULL;
   return temp;
}
void right_view(struct node *root, int level, int *end_level) {
   if (root == NULL) return;
   if (*end_level < level) {
      printf("%d\t", root->data);
      *end_level = level;
   }
   right_view(root->right, level+1, end_level);
   right_view(root->left, level+1, end_level);
}
void right(struct node *root) {
   int level = 0;
   right_view(root, 1, &level);
}
int main() {
   printf("right view of a binary tree is : ");
   struct node *root = New(10);
   root->left = New(42);
   root->right = New(93);
   root->left->left = New(14);
   root->left->right = New(35);
   root->right->left = New(96);
   root->right->right = New(57);
   root->right->left->right = New(88);
   right(root);
   return 0;
}

輸出

如果我們執行上面的程序,它將產生以下輸出。

right view of a binary tree is : 10 93 57 88

以上是在C語言中,將二元樹的右側視圖列印出來的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文轉載於:tutorialspoint.com。如有侵權,請聯絡admin@php.cn刪除