从上到下打印出二叉树的每个节点,同一层的节点按照从左到右的顺序打印。
例如:
给定二叉树: [3,9,20,null,null,15,7]
,
3
/ 9 20
/ 15 7
返回:
[3,9,20,15,7]
提示:
节点总数 <= 1000
方法:BFS实现层序遍历
/**
* 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 {
private:
queue<TreeNode*> a;
vector<int> b;
public:
vector<int> levelOrder(TreeNode* root) {
if(root==NULL)
return b;
a.push(root);
while(a.size()){
TreeNode* tmp = a.front();
b.push_back(tmp->val);
a.pop();
if(tmp->left)
a.push(tmp->left);
if(tmp->right)
a.push(tmp->right);
}
return b;
}
};
从上到下按层打印二叉树,同一层的节点按从左到右的顺序打印,每一层打印到一行。
例如:
给定二叉树: [3,9,20,null,null,15,7]
,
3
/ 9 20
/ 15 7
返回其层次遍历结果:
[
[3],
[9,20],
[15,7]
]
提示:
节点总数 <= 1000
方法:BFS(遍历队列时,加一个for循环并新建一个数组,用来存放每一层的数值)
/**
* 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 {
private:
vector<vector<int>> a;
queue<TreeNode*> q;
public:
vector<vector<int>> levelOrder(TreeNode* root) {
if(root==NULL)
return a;
q.push(root);
while(!q.empty()) {
vector<int> b;
for(int i=q.size(); i>0; i--){
TreeNode* tmp = q.front();
b.push_back(tmp->val);
q.pop();
if(tmp->left)
q.push(tmp->left);
if(tmp->right)
q.push(tmp->right);
}
a.push_back(b);
}
return a;
}
};
请实现一个函数按照之字形顺序打印二叉树,即第一行按照从左到右的顺序打印,第二层按照从右到左的顺序打印,第三行再按照从左到右的顺序打印,其他行以此类推。
例如:
给定二叉树: [3,9,20,null,null,15,7]
,
3
/ 9 20
/ 15 7
返回其层次遍历结果:
[
[3],
[20,9],
[15,7]
]
提示:
节点总数 <= 1000
方法:BFS(遍历队列时,加一个for循环并新建一个双端队列,用来存放每一层的数值)
/**
* 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 {
private:
vector<vector<int>> a;
queue<TreeNode*> q;
public:
vector<vector<int>> levelOrder(TreeNode* root) {
if(root==NULL)
return a;
q.push(root);
int j=0;
while(!q.empty()) {
deque<int> b;
for(int i=q.size(); i>0; i--){
TreeNode* tmp = q.front();
if(j%2==0)
b.push_back(tmp->val);
else
b.push_front(tmp->val);
q.pop();
if(tmp->left)
q.push(tmp->left);
if(tmp->right)
q.push(tmp->right);
}
vector<int> c;
while(!b.empty()){
c.push_back(b.front());
b.pop_front();
}
j++;
a.push_back(c);
}
return a;
}
};
原文:https://www.cnblogs.com/oucmly/p/14817303.html