Last active
July 6, 2019 16:40
-
-
Save yangpeng-chn/7ff159320511ee2bbd94bf473ac7d3e2 to your computer and use it in GitHub Desktop.
Tree BFS
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Iteration | |
vector<vector<int> > levelOrderBottom(TreeNode* root) { | |
if (!root) return {}; | |
vector<vector<int>> res; | |
queue<TreeNode*> q{{root}}; | |
while (!q.empty()) { | |
vector<int> oneLevel; | |
for (int i = q.size(); i > 0; --i) { //init i with q.size(), it runs well even if we change the size of q in loop | |
TreeNode *t = q.front(); | |
q.pop(); | |
oneLevel.push_back(t->val); | |
if (t->left) q.push(t->left); | |
if (t->right) q.push(t->right); | |
} | |
res.insert(res.begin(), oneLevel); | |
} | |
return res; | |
} | |
// Recursion | |
void levelorder(TreeNode* node, int level, vector<vector<int>>& res) { | |
if (!node) return; | |
if (res.size() == level) res.push_back({}); //apply for new layer | |
res[level].push_back(node->val); | |
if (node->left) levelorder(node->left, level + 1, res); | |
if (node->right) levelorder(node->right, level + 1, res); | |
} | |
vector<vector<int>> levelOrderBottom(TreeNode* root) { | |
vector<vector<int>> res; | |
levelorder(root, 0, res); | |
return vector<vector<int>> (res.rbegin(), res.rend()); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment