LeetCode 105. 从前序与中序遍历序列构造二叉树
Posted programyang
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode 105. 从前序与中序遍历序列构造二叉树相关的知识,希望对你有一定的参考价值。
根据一棵树的前序遍历与中序遍历构造二叉树。
注意:
你可以假设树中没有重复的元素。
例如,给出
前序遍历 preorder = [3,9,20,15,7]
中序遍历 inorder = [9,3,15,20,7]
返回如下的二叉树:
3
/ \
9 20
/ \
15 7
算法:我们先在中序遍历中找到根结点然后下标做标记。然后,对于前序遍历,我们从第二个结点到第K个结点建左子树(K为中序遍历下的根结点下标)。第K+1到最后一个建右子树。
/** * Definition for a binary tree node. * struct TreeNode * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) * ; */ class Solution public: TreeNode* dfs(vector<int>& preorder, vector<int>& inorder, int pl,int pr, int il, int ir) if(pl>pr) return NULL; int k=hash[preorder[pl]]-il; TreeNode* root=new TreeNode(preorder[pl]); root->left=dfs(preorder,inorder,pl+1,pl+k,il,il+k-1); root->right=dfs(preorder,inorder,pl+1+k,pr,il+k+1,ir); return root; unordered_map<int,int>hash; TreeNode* buildTree(vector<int>& preorder, vector<int>& inorder) int n=inorder.size(); if(!n)return NULL; for(int i=0;i<n;i++) hash[inorder[i]]=i; return dfs(preorder,inorder,0,n-1,0,n-1); ;
以上是关于LeetCode 105. 从前序与中序遍历序列构造二叉树的主要内容,如果未能解决你的问题,请参考以下文章
leetcode-105,106 从前序与中序遍历序列构造二叉树,从中序与后序遍历序列构造二叉树
LeetCode第105题—从前序与中序遍历序列构造二叉树—Python实现