题目
从上到下按层打印二叉树,同一层的结点按从左到右的顺序打印,每一层打印到一行。
样例
输入如下图所示二叉树[8, 12, 2, null, null, 6, null, 4, null, null, null]
8
/ \
12 2
/
6
/
4
输出:[[8], [12, 2], [6], [4]]
解法:BFS
在每一层的末尾加入nullptr作为这一层结束的标记,如果已经遍历完整个树(队列为空),就不要再加入nullptr
时间复杂度O(n),空间复杂度O(n)
/**
* 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<vector<int>> printFromTopToBottom(TreeNode* root) {
vector<vector<int>> ans;
if (!root) return ans;
queue<TreeNode*> q;
q.push(root);
q.push(nullptr);
vector<int> cur;
while (q.size()) {
auto t = q.front();
q.pop();
if (t) {
cur.push_back(t->val);
if (t->left) q.push(t->left);
if (t->right) q.push(t->right);
}
else {
if (q.size()) q.push(nullptr);
ans.push_back(cur);
cur.clear();
}
}
return ans;
}
};