使用 C++ 編寫程式列印從根節點到二叉樹中給定節點的路徑


在本教程中,我們將探討一個列印從根節點到二叉樹中給定節點的路徑的程式。

對於給定一個節點不同的二叉樹,我們必須列印從二叉樹的根節點到達給定節點的完整路徑。

要解決這個問題,我們將使用遞迴。在遍歷二叉樹時,我們將遞迴搜尋要查詢的特定元素。同時,我們還將儲存到達要搜尋元素的路徑。

示例

#include <bits/stdc++.h>
using namespace std;
struct Node{
   int data;
   Node *left, *right;
};
struct Node* create_node(int data){
   struct Node *new_node = new Node;
   new_node->data = data;
   new_node->left = new_node->right = NULL;
   return new_node;
}
//checks if a path from root node to element exists
bool is_path(Node *root, vector<int>& arr, int x){
   if (!root)
      return false;
   arr.push_back(root->data);
   if (root->data == x)
      return true;
   if (is_path(root->left, arr, x) || is_path(root->right, arr, x))
      return true;
   arr.pop_back();
   return false;
}
//printing the path from the root node to the element
void print_path(Node *root, int x){
   vector<int> arr;
   if (is_path(root, arr, x)){
      for (int i=0; i<arr.size()-1; i++)
         cout << arr[i] << " -> ";
         cout << arr[arr.size() - 1];
   }
   else
      cout << "Path doesn't exists" << endl;
}
int main(){
   struct Node *root = create_node(13);
   root->left = create_node(21);
   root->right = create_node(43);
   root->left->left = create_node(34);
   root->left->right = create_node(55);
   root->right->left = create_node(68);
   root->right->right = create_node(79);
   int x = 68;
   print_path(root, x);
   return 0;
}

輸出

13 -> 43 -> 68

更新於: 2019 年 11 月 01 日

198 次瀏覽

啟動你的 職業生涯

完成課程獲取認證

開始
廣告