450.删除二叉搜索树中的节点
思路:
- 递归结束条件,root = null
- key值与节点值的大小比较,大的话则去右子树中寻找节点,并将返回新的右子树,小的话则去左子树中寻找节点,并将返回新的左子树
- 相等时,考虑情况:(1).此节点为叶子节点,直接置为null即可 (2).左节点不为空,将左子树最大值赋给节点值并删除原左子树最大值的节点 (3)右节点不为空,将右子树最小值赋给节点值并删除原右子树最小值的节点
代码实现
class Solution {
public int predecessor(TreeNode root) {
root = root.left;
while (root.right != null) {
root = root.right;
}
return root.val;
}
public int successor(TreeNode root) {
root = root.right;
while (root.left != null) {
root = root.left;
}
return root.val;
}
public TreeNode deleteNode(TreeNode root, int key) {
if (root == null) return null;
if (key > root.val) {
root.right = deleteNode(root.right, key);
} else if (key < root.val) {
root.left = deleteNode(root.left, key);
} else {
if (root.left == null && root.right == null) {
root = null;
} else if (root.left != null) {
root.val = predecessor(root);
root.left = deleteNode(root.left, root.val);
} else if (root.right != null) {
root.val = successor(root);
root.right = deleteNode(root.right, root.val);
}
}
return root;
}
}