二叉树的重建算法是什么
发布网友
发布时间:2022-05-10 21:40
我来回答
共3个回答
懂视网
时间:2022-05-14 21:49
这篇文章给大家介绍的内容是关于js实现重建二叉树的算法解析,有着一定的参考价值,有需要的朋友可以参考一下。
题目描述
输入某二叉树的前序遍历和中序遍历的结果,请重建出该二叉树。假设输入的前序遍历和中序遍历的结果中都不含重复的数字。例如输入前序遍历序列{1,2,4,7,3,5,6,8}和中序遍历序列{4,7,2,1,5,3,8,6},则重建二叉树并返回。
分析
前序遍历是中左右的顺序,中序遍历是左中右的顺序,那么对于{1,2,4,7,3,5,6,8}和{4,7,2,1,5,3,8,6}来说,1是根节点,然后1把中序遍历的序列分割为两部分,“4,7,2”为1的左子树上的节点,“5,3,8,6”为1的右子树上的节点,这样递归的分解下去即可
代码实现
/* function TreeNode(x) {
this.val = x;
this.left = null;
this.right = null;
} */
function reConstructBinaryTree(pre, vin)
{
var root = recon(0, pre.length-1, pre, 0, vin.length-1, vin);
return root;
}
function recon(preStart, preEnd, pre, vinStart, vinEnd, vin){
if(preStart > preEnd || vinStart > vinEnd) {
return null;
}
var node = new TreeNode(pre[preStart]);
for(var i = vinStart;i <= vinEnd;i++) {
if(vin[i] === pre[preStart]){
node.left = recon(preStart+1, preStart+i-vinStart, pre, vinStart, i-1, vin);
node.right = recon(preStart+i-vinStart+1, preEnd, pre, i+1, vinEnd, vin);
}
}
return node;
}
热心网友
时间:2022-05-14 18:57
这个算法其实很简单的。
首先你自己要能够根据先序和中序能够手动的建立起来树。
先序串:DBACEGF,先序的第一个节点一定是根节点,这样我们就知道了根节点是D.
再看中序, 在中序串之中,根结点的前边的所有节点都是左子树中,ABCDEFG,所以D节点前面的ABC就是左子树的中序串。再看前续串 DBACEGF, 由于左子树的节点是ABC,我们可以得到左子树的前续周游的串为: BAC. 有了左子树的前序串BAC,和中序串ABC ,我们就可以递归的把左子树给建立起来。 同样,可以建立起右子树。
class TreeNode
{
pubic:
char value;
TreeNode *left;
TreeNode *right;
TreeNode(char c): value(c){
left = NULL;
rigth = NULL;
}
~TreeNode() {
if(left != NULL) delete left;
if(right != NULL) delete right;
}
};
TreeNode* buildTrece(char *pre, char *mid, int n)
{
if (n==0) return NULL;
char c = pre[0];
TreeNode *node = new TreeNode(c); //This is the root node of this tree/sub tree.
for(int i=0; i<n && mid[i]!=c; i++);
int lenL = i; // the node number of the left child tree.
int lenR = n - i -1; // the node number of the rigth child tree.
//build the left child tree. The first order for thr left child tree is from
// starts from pre[1], since the first element in pre order sequence is the root
// node. The length of left tree is lenL.
if(lenL > 0) node->left = buildTree(&pre[1], &mid[0], lenL);
//build the right child tree. The first order stree of right child is from
//lenL + 1(where 1 stands for the root node, and lenL is the length of the
// left child tree.)
if(lenR > 0) node->right = buildTree(&pre[lenL+1], &mid[lenL+1], lenR);
return node;
}
热心网友
时间:2022-05-14 20:15
太难了