给定两个值 k1 和 k2(k1 < k2)和一个二叉查找树的根节点。找到树中所有值在 k1 到 k2 范围内的节点。即打印所有x (k1 <= x <= k2) 其中 x 是二叉查找树的中的节点值。返回所有升序的节点值。
二叉查找树是这样一个二叉树:一个节点的左子节点的值都比它的值小,右子节点的值都比它的值大。题目要求返回所有升序的节点值,因此采用中序遍历的方法:
/**
* Definition of TreeNode:
* class TreeNode {
* public:
* int val;
* TreeNode *left, *right;
* TreeNode(int val) {
* this->val = val;
* this->left = this->right = NULL;
* }
* }
*/
class Solution {
public:
/**
* @param root: The root of the binary search tree.
* @param k1 and k2: range k1 to k2.
* @return: Return all keys that k1<=key<=k2 in ascending order.
*/
vector<int> searchRange(TreeNode* root, int k1, int k2) {
// write your code here
vector<int> result;
searchNode(result,root,k1,k2);
return result;
}
void searchNode(vector<int> &res,TreeNode* root,int k1,int k2) {
if (root != NULL) {
searchNode(res,root->left,k1,k2);
if (root->val >= k1 && root->val <= k2) res.push_back(root->val);
searchNode(res,root->right,k1,k2);
}
}
};
网友评论