一:题目
二:上码
/**
* 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:
/**
思路:
1.注意这是二叉搜索树,所以当root的左子树根节点不满足条件的时候,需要遍历左子树的右子树
并将其返回到root的左子树上面,root的右子树根节点不满足条件的时候,我们需要将递归右子树
的左子树,并将其返回到root的左子树上面
2.递归三部曲:
1>:确定递归函数的参数和返回值
(这里返回值 我们用一个指针接住,是因为我们需要遍历整颗二叉树,而且我们删除的结点
其可能还要返回其左子树/右子树 给root)
TreeNode* trimBST(TreeNode* root, int low, int high)
2>:确定递归函数的终止条件
if(root == NULL) return NULL;
3>:确定递归函数的递归体
if(root->val < low) {//root的左子树
TreeNode* right = trimBST(root->right,low,high);
return right;//可能满足范围的左子树的结点(将其返回给上一层root->left)
}
if(root->val > hight){//同理
TreeNode* left = trimBST(root->left,low,high);
return left;
}
root->left = trimBST(root->left,low,high);//接住下一层返回的结点
root->right = trimBST(root->right,low,high)//接住
*/
TreeNode* trimBST(TreeNode* root, int low, int high) {
if(root == NULL) return NULL;
if(root->val < low) {//root的左子树
TreeNode* right = trimBST(root->right,low,high);
return right;//可能满足范围的左子树的结点(将其返回给上一层root->left)
}
if(root->val > high){//同理
TreeNode* left = trimBST(root->left,low,high);
return left;
}
root->left = trimBST(root->left,low,high);//接住下一层返回的结点
root->right = trimBST(root->right,low,high);
return root;
}
};