代码随想录第二十二天|Leetcode235. 二叉搜索树的最近公共祖先、Leetcode701.二叉搜索树中的插入操作、Leetcode450.删除二叉搜索树中的节点

代码随想录第二十二天|Leetcode235. 二叉搜索树的最近公共祖先、Leetcode701.二叉搜索树中的插入操作、Leetcode450.删除二叉搜索树中的节点

  • Leetcode235. 二叉搜索树的最近公共祖先
    • 对一条边进行搜索:
    • 对整棵树进行搜索:
  • Leetcode701.二叉搜索树中的插入操作
  • Leetcode450.删除二叉搜索树中的节点

Leetcode235. 二叉搜索树的最近公共祖先

可以利用二叉搜索树的有序性,通过判断只对一条边进行搜索即可

class Solution {
public:
    TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
        if(root->val<q->val && root->val<p->val) return lowestCommonAncestor(root->right,p,q);
        else if(root->val>q->val && root->val>p->val) return lowestCommonAncestor(root->left,p,q);
        else return root;//值处于p,q中间就返回
    }
};

对一条边进行搜索:

适用于有序树等可以剪枝的情况,时间复杂度较低

        if(某条件) return traverse(root->right);
        if(某条件) return traverse(root->left);

这样实际上通过判断不断更改方向,最终到达return位置,只走了从根到某子节点的一条路径

对整棵树进行搜索:

适用于无序搜索,不得不把所有节点遍历一遍

left = traverse(root->left);
right = traverse(root->right);
return left与right如何如何;

这样可以保证遍历整棵树,不会因为达到某条件而提前返回

Leetcode701.二叉搜索树中的插入操作

依旧是巧妙的返回设置

class Solution {
public:
    TreeNode* insertIntoBST(TreeNode* root, int val) {
        if(root==NULL){
            TreeNode* temp=new TreeNode(val);
            return temp;
        }
        if(root->val>val) root->left = insertIntoBST(root->left,val);
        if(root->val<val) root->right = insertIntoBST(root->right,val);
        return root;
    }
};

Leetcode450.删除二叉搜索树中的节点

这道题情况比较多,要心细一点

class Solution {
public:
    TreeNode* deleteNode(TreeNode* root, int key) {
        //如果没找到,返回根节点
        if(root==NULL) return root;        
        if(root->val==key){//如果找到了
            if(!root->left&&!root->right){//其左右子树为空,直接删除root
                delete root;
                return NULL;
            }
            if(root->left&&!root->right){//左不空右空,直接把左替代root,删掉root
                TreeNode* temp=root->left;
                delete root;
                return temp;
            }
            if(!root->left&&root->right){//左空右不空,直接把右替代root,删掉root
                TreeNode* temp=root->right;
                delete root;
                return temp;
            }
            if(root->left&&root->right){//左右都不空,把左拼到右上,再把右替代root,删掉root
                TreeNode* temp=root->right;
                while(temp->left){
                    temp=temp->left;
                }
                temp->left=root->left;
                TreeNode* cur=root->right;
                delete root;
                return cur;
            }
        }
        if(root->val>key) root->left=deleteNode(root->left,key);
        if(root->val<key) root->right=deleteNode(root->right,key);
        return root;
    }
};

你可能感兴趣的:(leetcode,算法,数据结构)