题目描述
从上往下打印出二叉树的每个节点,同层节点从左至右打印。
思路
按层次遍历,需要用到队列
注:此处queue<elemtype>入队是从队尾巴进,从队头出。相关操作为:
- 入队:q.push(e)
- 获取:q.front()
- 弹出:q.pop()
题解
/*
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) {
vector<int> result;
if(root == NULL)
return result;
TreeNode* parent=NULL ;
nodeptr.push(root);
while(!nodeptr.empty()){
parent= nodeptr.front();
nodeptr.pop();
result.push_back(parent->val);
if(parent->left != NULL)
nodeptr.push(parent->left);
if(parent->right != NULL)
nodeptr.push(parent->right);
}
return result;
}
private:
queue<TreeNode*> nodeptr;
};
网友评论