title: 每日一練(19):從上到下列印二叉樹
categories:[劍指offer]
tags:[每日一練]
date: 2022/02/15
每日一練(19):從上到下列印二叉樹
從上到下按層列印二叉樹,同一層的節點按從左到右的順序列印,每一層列印到一行。
例如:
給定二叉樹: [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回其層次遍歷結果:
[
[3],
[9,20],
[15,7]
]
提示:
節點總數 <= 1000
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
注意的是要把每一層放到一起,需要維護一個level進行儲存。
DFS記得使用引用&,不然就得維護一個全域性變數了。
方法一:BFS
/**
* 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<vector<int>> levelOrder(TreeNode* root) {
queue<TreeNode*> q;
q.push(root);
vector<vector<int>> res;
while (q.size()) {
int size = q.size();
vector<int> level;
for (int i=0;i<size;i++) {
TreeNode* rt = q.front();
q.pop();
if (!rt) {
continue;
}
level.push_back(rt->val);
if (rt->left) {
q.push(rt->left);
}
if (rt->right) {
q.push(rt->right);
}
}
if (level.size()!=NULL) {
res.push_back(level);
}
}
return res;
}
};
方法二:DFS
/**
* 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<vector<int>> levelOrder(TreeNode* root) {
vector<vector<int>> res;
dfs(root, res, 0);
return res;
}
void dfs(TreeNode* root,vector<vector<int>>& res,int level)
{
if (!root) {
return;
}
if (level >= res.size()) {
res.emplace_back(vector<int>());
}
res[level].emplace_back(root->val);
dfs(root->left, res, level+1);
dfs(root->right, res, level+1);
}
};