题目
从上往下打印出二叉树的每个结点,同一层的结点按照从左到右的顺序打印。
样例
输入如下图所示二叉树[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)

  1. /**
  2. * Definition for a binary tree node.
  3. * struct TreeNode {
  4. * int val;
  5. * TreeNode *left;
  6. * TreeNode *right;
  7. * TreeNode(int x) : val(x), left(NULL), right(NULL) {}
  8. * };
  9. */
  10. class Solution {
  11. public:
  12. vector<int> printFromTopToBottom(TreeNode* root) {
  13. vector<int> ans;
  14. if (!root) return ans;
  15. queue<TreeNode*> s;
  16. s.push(root);
  17. while (!s.empty()) {
  18. auto t = s.front();
  19. s.pop();
  20. if (t->left) s.push(t->left);
  21. if (t->right) s.push(t->right);
  22. ans.push_back(t->val);
  23. }
  24. return ans;
  25. }
  26. };