我正在实现一个使用 Array 实现表示的二叉搜索树。到目前为止,这是我的代码:注意我已经完成了树的结构,它被保存为链接列表。我想将此链表转换为数组。
我对如何解决这个问题的想法如下。制作一个 return_array 函数。将数组的大小设置为最大节点数(2^(n-1)+1)并遍历链表。根节点将是数组上的@位置 0,然后他的 L-child = (2*[index_of_parent]+1) 和 R-child = (2*[index_of_parent]+2)。我环顾四周,寻找可以让我了解如何跟踪每个节点以及如何遍历每个节点的东西。
我是不是在想这个问题?可以有递归吗?
另外,我正在考虑创建一个可视化树而不是一个数组,但不知道如何正确地将它隔开。如果有人知道如何做到这一点,那么更好地理解这一点会很棒。
#include <iostream>
#include <stdio.h>
#include <stdlib.h>
#include <cmath>
using namespace std;
struct node {
int data;
struct node* left;
struct node* right;
};
void inorder(struct node* node){
if(node){
inorder(node->left);
cout << node->data << " ";
inorder(node->right);
}
}
void insert(struct node** node, int key){
if(*node == NULL){
(*node) = (struct node*)malloc(sizeof(struct node));
(*node)->data = key;
(*node)->left = NULL;
(*node)->right = NULL;
printf("inserted node with data %d\n", (*node)->data);
}
else if ((*node)->data > key){
insert((&(*node)->left),key);
}
else
insert((&(*node)->right),key);
}
int max_tree(struct node* node){
int left,right;
if(node == NULL)
return 0;
else
{
left=max_tree(node->left);
right=max_tree(node->right);
if(left>right)
return left+1;
else
return right+1;
}
}
//This is where i dont know how to keep the parent/children the array.
void return_array(struct node* node, int height){
int max;
height = height - 1;
max = pow(2, height) - 1;
int arr [height];
}
int main(){
int h;
struct node* root = NULL;
insert(&root, 10);
insert(&root, 20);
insert(&root, 5);
insert(&root, 2);
inorder(root);
cout << endl;
cout << "Height is: ";
cout << max_tree(root);
h = max_tree(root)
return_array(root, h)
}