用 C++ 將給定的二叉樹轉換為雙向連結串列 (Set 2)
本教程中,我們將討論一個將二叉樹轉換為雙向連結串列的程式。
為此,我們將提供一棵二叉樹。我們的任務是將其轉換為一個雙向連結串列,以便左右指標變為上一個和下一個指標。同樣,雙向連結串列的順序排列必須等於二叉樹的中序遍歷。
為此,我們有不同的方法。我們將倒中序方式遍歷二叉樹。同時我們將建立新節點並將頭指標移動到最新節點;這將從末端到開頭建立雙向連結串列。
示例
#include <stdio.h>
#include <stdlib.h>
//node structure for tree
struct Node{
int data;
Node *left, *right;
};
//converting the binary tree to
//doubly linked list
void binary_todll(Node* root, Node** head_ref){
if (root == NULL)
return;
//converting right subtree
binary_todll(root->right, head_ref);
//inserting the root value to the
//doubly linked list
root->right = *head_ref;
//moving the head pointer
if (*head_ref != NULL)
(*head_ref)->left = root;
*head_ref = root;
//converting left subtree
binary_todll(root->left, head_ref);
}
//allocating new node for doubly linked list
Node* newNode(int data){
Node* node = new Node;
node->data = data;
node->left = node->right = NULL;
return node;
}
//printing doubly linked list
void print_dll(Node* head){
printf("Doubly Linked list:\n");
while (head) {
printf("%d ", head->data);
head = head->right;
}
}
int main(){
Node* root = newNode(5);
root->left = newNode(3);
root->right = newNode(6);
root->left->left = newNode(1);
root->left->right = newNode(4);
root->right->right = newNode(8);
root->left->left->left = newNode(0);
root->left->left->right = newNode(2);
root->right->right->left = newNode(7);
root->right->right->right = newNode(9);
Node* head = NULL;
binary_todll(root, &head);
print_dll(head);
return 0;
}輸出
Doubly Linked list: 0 1 2 3 4 5 6 7 8 9
廣告
資料結構
網路
RDBMS
作業系統
Java
iOS
HTML
CSS
Android
Python
C 程式設計
C++
C#
MongoDB
MySQL
Javascript
PHP