题目描述
从上往下打印出二叉树的每个节点,同层节点从左至右打印。
思路:
二叉树的层序遍历,使用队列进行存储,将当前节点存放在队列中,如果有左右节点,则保存在队列中。
代码
/*
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
TreeNode(int x) :
val(x), left(NULL), right(NULL) {
}
};*/
class Solution {
public:
vector<int> PrintFromTopToBottom(TreeNode* root) {
queue<TreeNode *> temp;
vector<int> numbers;
if(root==NULL) return numbers;
temp.push(root);
while(!temp.empty())
{
numbers.push_back(temp.front()->val);
if(temp.front()->left!=NULL)
{
temp.push(temp.front()->left);
}
if(temp.front()->right!=NULL)
{
temp.push(temp.front()->right);
}
temp.pop();
}
return numbers;
}
};