友情支持

如果您觉得这个笔记对您有所帮助,看在D瓜哥码这么多字的辛苦上,请友情支持一下,D瓜哥感激不尽,😜

支付宝

微信

有些打赏的朋友希望可以加个好友,欢迎关注D 瓜哥的微信公众号,这样就可以通过公众号的回复直接给我发信息。

wx jikerizhi

公众号的微信号是: jikerizhi因为众所周知的原因,有时图片加载不出来。 如果图片加载不出来可以直接通过搜索微信号来查找我的公众号。

450. Delete Node in a BST

Given a root node reference of a BST and a key, delete the node with the given key in the BST. Return the root node reference (possibly updated) of the BST.

Basically, the deletion can be divided into two stages:

  1. Search for a node to remove.

  2. If the node is found, delete the node.

Note: Time complexity should be O(height of tree).

Example:

root = [5,3,6,2,4,null,7]
key = 3

    5
   / \
  3   6
 / \   \
2   4   7

Given key to delete is 3. So we find the node with value 3 and delete it.

One valid answer is [5,4,6,2,null,null,7], shown in the following BST.

    5
   / \
  4   6
 /     \
2       7

Another valid answer is [5,2,6,null,4,null,7].

    5
   / \
  2   6
   \   \
    4   7

思路分析

一、递归

  1. 根据二叉搜索树的特性,逐步递归去寻找要删除的节点。

  2. 找到后,有几种情况要处理:

    1. 如果是叶子节点,则直接返回 null。

    2. 如果没有左树或右树,那么把右树或者左树返回接口

    3. 如果同时有左右树,那么在左树上找到最右节点或者在右树上找到最左节点,然后将其删除。把原来的左右树对接到寻找到的节点的左右树上,返回找到的那个节点即可。

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
/**
 * 参考 https://leetcode.cn/problems/delete-node-in-a-bst/solutions/1529700/shan-chu-er-cha-sou-suo-shu-zhong-de-jie-n6vo/[450. 删除二叉搜索树中的节点 - 官方题解^]
 *
 * @author D瓜哥 · https://www.diguage.com
 * @since 2024-06-26 20:35
 */
public TreeNode deleteNode(TreeNode root, int key) {
  if (root == null) {
    return null;
  }
  if (key < root.val) {
    root.left = deleteNode(root.left, key);
    return root;
  }
  if (root.val < key) {
    root.right = deleteNode(root.right, key);
    return root;
  }
  if (root.val == key) {
    if (root.left == null && root.right == null) {
      return null;
    }
    if (root.left == null) {
      return root.right;
    }
    if (root.right == null) {
      return root.left;
    }
    TreeNode successor = root.right;
    while (successor.left != null) {
      successor = successor.left;
    }
    root.right = deleteNode(root.right, successor.val);
    // 注意“嫁接”左右子树
    successor.right = root.right;
    successor.left = root.left;
    return successor;
  }
  return root;
}

二、迭代

迭代就需要注意了:要找到删除节点的父节点(否则没版本处理。)