使用队列反转二叉搜索树中的路径的C++代码

例如,给定一个二叉搜索树,我们需要从特定键反转其路径。

使用队列反转二叉搜索树中的路径的C++代码

使用队列反转二叉搜索树中的路径的C++代码

寻找解决方案的方法

在这种方法中,我们将创建一个队列并推送所有节点,直到获得根节点。

p>

示例

  #include 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 key right);    } } void Reversing(struct node** node,            int& key, queue& 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 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 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 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 登录后复制