-
Notifications
You must be signed in to change notification settings - Fork 0
/
22.binary_printfromtoptobottom.cpp
97 lines (89 loc) · 2.02 KB
/
22.binary_printfromtoptobottom.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
#include <iostream>
#include <vector>
#include <queue>
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
TreeNode(int x) :
val(x), left(NULL), right(NULL) {
}
};
// 以下为 2019.06.08 更新
/*
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
TreeNode(int x) :
val(x), left(NULL), right(NULL) {
}
};*/
using std::vector;
class Solution {
public:
vector<int> PrintFromTopToBottom(TreeNode* root) {
/**
* 二叉树的层序遍历
* 借助队列实现吧
*/
std::vector<int> ret;
std::queue<TreeNode*> q;
// 如果是空树直接返回,不需要处理
if (nullptr == root)
{
return ret;
}
// 将根节点入队列
q.push(root);
// 队列不为空,一直循环
while (!q.empty())
{
root = q.front();
q.pop();
ret.push_back(root->val);
if (root->left)
{
q.push(root->left);
}
if (root->right)
{
q.push(root->right);
}
}
return ret;
}
};
// 以上为 2019.06.08 更新
// class Solution {
// public:
// std::vector<int> PrintFromTopToBottom(TreeNode* root) {
// // 二叉树的层序遍历
// // 借助一个队列
// std::vector<int> res;
// std::queue<TreeNode*> ass;
// if(root == nullptr)
// {
// return res;
// }
// ass.push(root);
// while(!ass.empty())
// {
// TreeNode* tmp = ass.front();
// ass.pop();
// res.push_back(tmp->val);
// if(tmp->left != nullptr)
// {
// ass.push(tmp->left);
// }
// if(tmp->right != nullptr)
// {
// ass.push(tmp->right);
// }
// }
//
//
// return res;
// }
//
// };