根據前序中序重建二叉樹——NC.12
阿新 • • 發佈:2021-01-27
題目描述
輸入某二叉樹的前序遍歷和中序遍歷的結果,請重建出該二叉樹。假設輸入的前序遍歷和中序遍歷的結果中都不含重複的數字。例如輸入前序遍歷序列{1,2,4,7,3,5,6,8}和中序遍歷序列{4,7,2,1,5,3,8,6},則重建二叉樹並返回。
/**
* Definition for binary tree
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
public class Solution {
public TreeNode reConstructBinaryTree(int [] pre,int [] in) {
TreeNode root = reConstructBinaryTree(pre, 0, in, 0, in.length);
return root;
}
private TreeNode reConstructBinaryTree(int [] pre, int indexPre, int [] in, int indexIn, int length) {
if (length == 0) {
return null;
}
TreeNode root = new TreeNode(pre[indexPre]); // 根節點
// 在中序陣列中尋找到根的下標
int i;
for (i = indexIn; i < indexIn + length; i++) {
if (in[i] == pre[indexPre]) {
break;
}
}
// 求取左子樹的長度
int ans = i - indexIn;
root.left = reConstructBinaryTree(pre, indexPre + 1, in, indexIn, ans);
root.right = reConstructBinaryTree(pre, indexPre + ans + 1, in, indexIn + ans + 1, length - ans - 1);
return root;
}
}