力扣算法学习day16-3
235-二叉搜索树的最近公共祖先
题目
data:image/s3,"s3://crabby-images/9ee65/9ee65cc88600c426b9a5cbcf96c11de148d72d7a" alt="image-20220205202303040"
data:image/s3,"s3://crabby-images/e4818/e4818db7ba5f300b49616f1cd8d5193238688045" alt="image-20220205202329149"
代码实现
class Solution {
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
if(p.val < root.val && q.val < root.val){
return lowestCommonAncestor(root.left,p,q);
} else if(p.val > root.val && q.val > root.val){
return lowestCommonAncestor(root.right,p,q);
} else{
return root;
}
}
}
701-二叉搜索树中的插入操作
题目
data:image/s3,"s3://crabby-images/53d38/53d38b71cf2e49ac9b883b1c31f412aab243d72c" alt="image-20220205215515963"
data:image/s3,"s3://crabby-images/440ea/440eae54a7c9692a6f93ffe42b2205795d5dadd7" alt="image-20220205215533715"
data:image/s3,"s3://crabby-images/dce95/dce95b3f819eb1ede49a5468a75e143f3c2c8d86" alt="image-20220205215553776"
代码实现
class Solution {
public TreeNode insertIntoBST(TreeNode root, int val) {
if (root == null) return new TreeNode(val);
TreeNode head = root;
TreeNode pre = root;
while (root != null) {
pre = root;
if (root.val > val) {
root = root.left;
} else if (root.val < val) {
root = root.right;
}
}
if (pre.val > val) {
pre.left = new TreeNode(val);
} else {
pre.right = new TreeNode(val);
}
return head;
}
}
450-做了大半,错误,明日修改。
|