c语言编码 二叉树的顺序存储结构转二叉树链式存储结构
时间: 2023-10-03 22:07:09 浏览: 117
要将二叉树从顺序存储结构转换为链式存储结构,首先需要定义二叉树的节点结构。
```c
// 二叉树节点结构
typedef struct TreeNode {
int data; // 节点数据
struct TreeNode* left; // 左子节点指针
struct TreeNode* right; // 右子节点指针
} TreeNode;
```
然后,我们可以通过递归的方式将顺序存储的二叉树转换为链式存储结构。假设顺序存储的二叉树使用数组来表示,其中根节点存储在索引为0的位置,左子节点和右子节点分别存储在父节点索引的2倍和2倍加1的位置。
```c
// 将顺序存储的二叉树转换为链式存储结构
TreeNode* convertToBinaryTree(int* arr, int index, int size) {
if (index >= size || arr[index] == -1) {
return NULL; // 数组越界或当前节点为空时返回NULL
}
TreeNode* root = (TreeNode*)malloc(sizeof(TreeNode));
root->data = arr[index];
// 构建左子树
root->left = convertToBinaryTree(arr, 2 * index + 1, size);
// 构建右子树
root->right = convertToBinaryTree(arr, 2 * index + 2, size);
return root;
}
```
在以上代码中,arr是存储顺序二叉树的数组,index表示当前节点在数组中的索引,size表示数组的大小。-1表示节点为空。
使用示例:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct TreeNode {
int data;
struct TreeNode* left;
struct TreeNode* right;
} TreeNode;
TreeNode* convertToBinaryTree(int* arr, int index, int size) {
if (index >= size || arr[index] == -1) {
return NULL;
}
TreeNode* root = (TreeNode*)malloc(sizeof(TreeNode));
root->data = arr[index];
root->left = convertToBinaryTree(arr, 2 * index + 1, size);
root->right = convertToBinaryTree(arr, 2 * index + 2, size);
return root;
}
// 遍历二叉树(示例)
void traverseBinaryTree(TreeNode* root) {
if (root == NULL) {
return;
}
printf("%d ", root->data);
traverseBinaryTree(root->left);
traverseBinaryTree(root->right);
}
int main() {
int arr[] = {1, 2, 3, 4, -1, 5, 6};
int size = sizeof(arr) / sizeof(arr[0]);
TreeNode* root = convertToBinaryTree(arr, 0, size);
traverseBinaryTree(root);
return 0;
}
```
以上代码将顺序存储的二叉树 `{1, 2, 3, 4, -1, 5, 6}` 转换为链式存储结构,并进行了前序遍历输出。输出结果为 `1 2 4 3 5 6`。
阅读全文