用佇列 C++ 反轉 BST 中的路徑
給定一顆二叉搜尋樹,我們需要反轉其一條特定鍵的路徑,例如。


解決方案
對此問題的解法是,我們會建立一個佇列,並將所有節點壓入其中,直到到達根節點。
示例
#include <bits/stdc++.h>
using namespace std;
struct node {
int key;
struct node *left, *right;
};
struct node* newNode(int item){
struct node* temp = new node;
temp->key = item;
temp->left = temp->right = NULL;
return temp;
}
void inorder(struct node* root){
if (root != NULL) {
inorder(root->left);
cout << root->key << " ";
inorder(root->right);
}
}
void Reversing(struct node** node,
int& key, queue<int>& q1){
/* If the tree is empty then
return*/
if (node == NULL)
return;
if ((*node)->key == key){ // if we find the key
q1.push((*node)->key); // we push it into our queue
(*node)->key = q1.front(); // we change the first queue element with current
q1.pop(); // we pop the first element
}
else if (key < (*node)->key){ // if key is less than current node's value
q1.push((*node)->key); // we push the element in our queue
Reversing(&(*node)->left, key, q1); //we go to the left subtree using a recursive call
(*node)->key = q1.front(); //we reverse the elements
q1.pop(); // we pop the first element
}
else if (key > (*node)->key){ // if key greater than node key then
q1.push((*node)->key);// we push node key into queue
Reversing(&(*node)->right, key, q1);// we go to right subtree using a recursive call
(*node)->key = q1.front();// replace queue front to node key
q1.pop(); // we pop the first element
}
return;
}
struct node* insert_node(struct node* node, // function to insert node nodes in our BST
int key){
if (node == NULL)
return newNode(key); // if tree is empty we return a new node
if (key < node->key) // else we push that in our tree
node->left = insert_node(node->left, key);
else if (key > node->key)
node->right = insert_node(node->right, key);
return node; // returning the node
}
int main(){
struct node* root = NULL;
queue<int> q1;
int k = 80;
/****************Creating the BST*************************/
root = insert_node(root, 50);
insert_node(root, 30);
insert_node(root, 20);
insert_node(root, 40);
insert_node(root, 70);
insert_node(root, 60);
insert_node(root, 80);
cout << "Before Reversing :" << "\n";
inorder(root);
cout << "\n";
Reversing(&root, k, q1);
cout << "After Reversing :" << "\n";
// print inorder of reverse path tree
inorder(root);
return 0;
}輸出
Before Reversing : 20 30 40 50 60 70 80 After Reversing : 20 30 40 80 60 70 50
上述程式碼說明
對此問題的解法是,我們只需要搜尋已給的鍵。當我們遍歷這棵樹時,我們將所有節點壓入一個佇列,然後當我們找到值等於這個鍵的節點時,我們將佇列前面路徑中所有節點的值交換,透過這種方式,我們的路徑就反轉了。
總結
我們透過使用佇列和遞迴解決了如何在二叉搜尋樹中反轉路徑的問題。我們還學習了這個 C++ 程式,以及透過它解決問題的完整流程(普通方法)。我們可以用其他語言編寫同樣的程式,比如 C 語言、Java 語言、Python 語言等。我們希望你喜歡這篇教程。
廣告
資料結構
網路
關係型資料庫管理系統
作業系統
Java
iOS
HTML
CSS
Android
Python
C 程式設計
C++
C#
MongoDB
MySQL
Javascript
PHP