Split BST

题目
Given a Binary Search Tree (BST) with root node root, and a target value V, split the tree into two subtrees where one subtree has nodes that are all smaller or equal to the target value, while the other subtree has all nodes that are greater than the target value. It's not necessarily the case that the tree contains a node with value V.

Additionally, most of the structure of the original tree should remain. Formally, for any child C with parent P in the original tree, if they are both in the same subtree after the split, then node C should still have the parent P.

You should output the root TreeNode of both subtrees after splitting, in any order.

答案

class Solution {
    public TreeNode[] splitBST(TreeNode root, int V) {
        TreeNode[] ret = new TreeNode[2];
        if(root == null) return ret;
        
        if(root.val <= V) {
            ret = splitBST(root.right, V);
            root.right = ret[0];
            ret[0] = root;
        }
        else {
            ret = splitBST(root.left, V);
            root.left = ret[1];
            ret[1] = root;
        }
        return ret;
    }
}

你可能感兴趣的:(Split BST)