日期:2024.1.11
参考:代码随想录、力扣
难度:中等
给定一个二叉搜索树的根节点 root 和一个值 key,删除二叉搜索树中的 key 对应的节点,并保证二叉搜索树的性质不变。返回二叉搜索树(有可能被更新)的根节点的引用。
一般来说,删除节点可分为两个步骤:
示例 1:
输入:root = [5,3,6,2,4,null,7], key = 3
输出:[5,4,6,2,null,null,7]
解释:给定需要删除的节点值是 3,所以我们首先找到 3 这个节点,然后删除它。
一个正确的答案是 [5,4,6,2,null,null,7], 如上图所示。
另一个正确答案是 [5,2,6,null,4,null,7]。
示例 2:
输入: root = [5,3,6,2,4,null,7], key = 0
输出: [5,3,6,2,4,null,7]
解释: 二叉树不包含值为 0 的节点
示例 3:
输入: root = [], key = 0
输出: []
提示:
进阶: 要求算法时间复杂度为 O(h),h 为树的高度。
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
#define SOLUTION 1
public:
#if SOLUTION == 1
TreeNode* deleteNode(TreeNode* root, int key) {
// 空树直接返回(或者找到底也没找到key)
if (root == nullptr) return root;
// 找到了,开始删除
if (root->val == key) {
// 如果左节点为空,直接返回右节点
if (root->left == nullptr) return root->right; // 右节点可能为空可能不为空
// 如果右节点为空,直接返回左节点
else if (root->right == nullptr) return root->left; // 左节点不为空
// 这里则是左右节点都不为空
else {
// 如果root的左节点没有右子节点,可以把右子树直接作为左节点的右子树
if (root->left->right == nullptr) {
root->left->right = root->right;
return root->left; // 返回root的左节点作为新的根节点
}
// 如果root左节点存在右子节点,则看root的右节点的左子节点
else if (root->right->left == nullptr) {
root->right->left = root->left;
return root->right; // 返回root的右节点作为新的根节点
}
else {
// 这里则是root的左节点有右子节点,且右节点有左子节点
// 把root右子树接到root左子树中
// 循环找到root的左节点的右子节点为空(最右节点的值是最大的)
TreeNode* cur = root->left;
while (cur->right != nullptr) {
cur = cur->right;
}
// 此时cur->right为空
cur->right = root->right;
return root->left; // 把root的左节点返回
}
}
}
// 没找到,看大小,继续递归
if (key > root->val) { // 往右找
root->right = deleteNode(root->right, key); // 找到会返回新的右子树根节点
} else { // 另一种情况就是往左找
root->left = deleteNode(root->left, key); //
}
return root;
}
#endif
};
时间复杂度:
空间复杂度: