深度优先搜索
class Solution {
public TreeNode trimBST(TreeNode root, int low, int high) {
if (root == null){
return root;
}
/**
* 如果根节点小于最小值,那其左子树肯定也小于最小值,那就只用判断右子树
* 同理右子树也是
*/
if (root.val < low){
return trimBST(root.right, low, high);
}
else if (root.val > high){
return trimBST(root.left, low, high);
}
else {
/**
* 如果根节点满足条件,那左右子树都要遍历
*/
root.left = trimBST(root.left, low, high);
root.right = trimBST(root.right, low, high);
return root;
}
}
}
/**
* 时间复杂度 O(logn)
* 空间复杂度 O(logn)
*/
https://leetcode-cn.com/problems/delete-node-in-a-bst/