题目描述
从上往下打印出二叉树的每个结点,同一层的结点按照从左到右的顺序打印。
样例
输入如下图所示二叉树[8, 12, 2, null, null, 6, null, 4, null, null, null]
8
/ \
12 2
/
6
/
4
输出:[8, 12, 2, 6, 4]
算法
(BFS、层序遍历)
- 标准的bfs层序遍历。这次不是图,不需要建立边,这次是二叉树,直接建立一个vector来存储。
- 至于是否有边,这里关注的是是否有左右儿子,
if(t->left) if(t->right)
,有的话讲 左右儿子加入队列中,没有的话就continue直到队列为空。
时间复杂度
$O(n)$
因为在进行BFS的时候,每个节点只会被遍历一次,所以时间复杂度是$O(n)$。
C++ 代码
/**
* 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> res;
vector<int> bfs(TreeNode *root)
{
queue<TreeNode*> q;
q.push(root);
while(q.size())
{
auto t = q.front();
q.pop();
res.push_back(t->val);
if(t->left) q.push(t->left);
if(t->right) q.push(t->right);
}
return res;
}
vector<int> printFromTopToBottom(TreeNode* root) {
if(!root) return res;
return bfs(root);
}
};