一、题目
题目:701. 二叉搜索树中的插入操作
难度:中等
地址:https://leetcode-cn.com/problems/insert-into-a-binary-search-tree/
使用语言:Java
解法关键词:递归、BST搜索+插入
二、代码
结合BST的构成特点:左子树永远小于右子树,可以构造递归搜索的方法。
当搜索到传入的root值为null时,就以为这此处可以插入我们的新值。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public TreeNode insertIntoBST(TreeNode root, int val) {
// 当传入的root节点为null时,就意味着这个地方可以插入新值
// 所以需要new 一个新的TreeNode对象
if(root == null) return new TreeNode(val);
if(root.val > val){
root.left = insertIntoBST(root.left,val);
}
if(root.val < val){
root.right = insertIntoBST(root.right,val);
}
return root;
}
}