使用递归修剪二进制搜索树

时间:2019-07-03 12:52:18

标签: java data-structures binary-search-tree

TRIM BST 给定二叉搜索树,最低和最高边界为L和R,修剪树,使其所有元素位于[L,R]中(R> = L)。您可能需要更改树的根,因此结果应返回修剪后的二进制搜索树的新根。

我是新手,刚开始学习递归..我写了下面的代码。它可以处理一些测试用例,并为其余测试提供Null Pointer异常。 我知道问题的解决方案(也写在下面),但我想修复我的代码,而不是编写解决方案的编写方式。

这是我的尝试。

    /**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
public TreeNode trimBST(TreeNode root, int L, int R) {
    if(root==null)
    {
        return root;
    }
    if(root.val<L)
    {
        root=root.right;
        if(root==null)
        {
            return root;
        }
    }
     if(root.val>R)
    {
        root=root.left;
          if(root==null)
        {
            return root;
        }
    }
     if(root.left!=null)
    {
        if(root.left.val<L)
        {
            root.left=root.left.right;
        }

    }
     if(root.right!=null)
    {
        if(root.right.val>R)
        {
            root.right=root.right.left;
        }

    }
    trimBST(root.left,L,R);
    trimBST(root.right,L,R);
    return root;

}
}

给出

错误
    [3,1,4,null,2]
3
4

这是解决方法

class Solution {
    public TreeNode trimBST(TreeNode root, int L, int R) {
        if (root == null) return root;
        if (root.val > R) return trimBST(root.left, L, R);
        if (root.val < L) return trimBST(root.right, L, R);

        root.left = trimBST(root.left, L, R);
        root.right = trimBST(root.right, L, R);
        return root;
    }
}

我知道我在递归代码中的某个地方搞砸了,并且将值设为null并再次使用它,我觉得我非常接近解决方案。 我无法自行解决。 请帮帮我。

1 个答案:

答案 0 :(得分:0)

在这种情况下不适用于您的原因是,最后您需要递归获取新的root。也就是说,trimBST(root.left, L, R);将递归地从树上走下来,但最终将不返回任何内容。因此,您需要将其分配给树的左侧或右侧。

root.left = trimBST(root.left, L, R);
root.right = trimBST(root.right, L, R);

但是之后,您还会遇到另一个问题,与root=root.right;root=root.left;有关。作为一个命中,您还必须在这里使用递归。