题目:
思路:
构造二叉树题目,本质就是寻找分割点,分割点作为当前节点,然后递归左区间和右区间
由上往下,进前序遍历,先构建root,再递归 root.left 和 root.right ,将数组的中间元素作为root的值 !
Java实现:
class Solution {
public TreeNode sortedArrayToBST(int[] nums) {
return con(nums,0,nums.length-1);
}
private TreeNode con(int[] nums,int lo,int hi){
if(lo>hi){
return null;
}
// 寻找分割点作为root,再递归左右子树!
int index=lo+(hi-lo)/2;
int n=nums[index];
// 构建
TreeNode root=new TreeNode(n);
root.left=con(nums,lo,index-1);
root.right=con(nums,index+1,hi);
return root;
}
}