题目
给你二叉搜索树的根节点 root
,同时给定最小边界low
和最大边界 high
。通过修剪二叉搜索树,使得所有节点的值在[low, high]
中。修剪树 不应该 改变保留在树中的元素的相对结构 (即,如果没有被移除,原有的父代子代关系都应当保留)。 可以证明,存在 唯一的答案 。
所以结果应当返回修剪好的二叉搜索树的新的根节点。注意,根节点可能会根据给定的边界发生改变。
示例 1:
输入:root = [1,0,2], low = 1, high = 2
输出:[1,null,2]
示例 2:
输入:root = [3,0,4,null,2,null,null,1], low = 1, high = 3
输出:[3,2,null,1]
提示:
- 树中节点数在范围
[1, 10^4]
内 0 <= Node.val <= 10^4
- 树中每个节点的值都是 唯一 的
- 题目数据保证输入是一棵有效的二叉搜索树
0 <= low <= high <= 10^4
解题方法
递归
通过递归的方式,先处理当前节点,保证当前节点位于范围内,再递归处理左右子节点。
时间复杂度O(n)
,空间复杂度O(n)
C++代码:/**
* 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 {
public:
TreeNode* trimBST(TreeNode* root, int low, int high) {
while(root && (root->val<low || root->val>high)) {
if(root->val<low) root = root->right;
else root = root->left;
}
if(!root) return root;
if(root->left) root->left = trimBST(root->left, low, high);
if(root->right) root->right = trimBST(root->right, low, high);
return root;
}
};
迭代
由于搜索二叉树有序,所以处理当前节,保证当前节点位于范围内之后,只需要对左右子树分别就下限、上限进行处理。
时间复杂度O(n)
,空间复杂度O(1)
C++代码:/**
* 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 {
public:
TreeNode* trimBST(TreeNode* root, int low, int high) {
while(root && (root->val<low || root->val>high)) {
if(root->val<low) root = root->right;
else root = root->left;
}
if(!root) return root;
TreeNode* cur = root;
while(cur) {
while(cur->left && cur->left->val<low) cur->left = cur->left->right;
cur = cur->left;
}
cur = root;
while(cur) {
while(cur->right && cur->right->val>high) cur->right = cur->right->left;
cur = cur->right;
}
return root;
}
};