📅  最后修改于: 2023-12-03 15:39:40.993000             🧑  作者: Mango
当需要在二叉树中寻找两个特定级别之间的节点时,我们可以采用广度优先搜索方法,只考虑目标级别节点所在的最深级别以及之上节点即可。
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
};
采用广度优先搜索算法,使用队列存储当前级别的所有节点,遇到目标节点立即停止搜索
对于每个节点,如果其在目标级别之上,将其左右子节点压入队列中,继续搜索
否则,直接跳过,继续搜索下一节点
遍历完整个二叉树后,返回目标级别之间的所有节点列表
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<int> printBetweenLevels(TreeNode* root, int low, int high) {
vector<int> res;
if(!root) return res;
queue<TreeNode*> q{{root}};
int depth = 0;
while(!q.empty()){
size_t n = q.size();
++depth;
for(size_t i = 0; i < n; ++i){
auto t = q.front(); q.pop();
if(depth >= low && depth <= high) res.push_back(t->val);
if(t->left) q.push(t->left);
if(t->right) q.push(t->right);
}
if(depth > high) break;
}
return res;
}
};