题目
从上往下打印出二叉树的每个结点,同一层的结点按照从左到右的顺序打印。
样例
输入如下图所示二叉树[8, 12, 2, null, null, 6, null, 4, null, null, null]
8
/ \
12 2
/
6
/
4
输出:[8, 12, 2, 6, 4]
解法:BFS
标准的层序遍历
时间复杂度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<int> printFromTopToBottom(TreeNode* root) {
vector<int> ans;
if (!root) return ans;
queue<TreeNode*> s;
s.push(root);
while (!s.empty()) {
auto t = s.front();
s.pop();
if (t->left) s.push(t->left);
if (t->right) s.push(t->right);
ans.push_back(t->val);
}
return ans;
}
};