给定一个二叉树,返回其节点值的锯齿形层次遍历。(即先从左往右,再从右往左进行下一层遍历,以此类推,层与层之间交替进行)。
例如:
给定二叉树 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回锯齿形层次遍历如下:
[
[3],
[20,9],
[15,7]
]
一、思路
因为是Z字形的,因此最先访问的节点,其左右孩子应该是最后访问,也就是先进后出,符合堆栈,所以用堆栈实现
使用两个堆栈来解决这个问题:
- 一个堆栈:从左往右
- 另一个堆栈:从右往左
C++代码:
class Solution {
public:
vector<vector<int>> zigzagLevelOrder(TreeNode* root) {
vector<vector<int>> ans;
if (root == NULL)
return ans;
stack<TreeNode*> list1, list2;
list1.push(root);
while (!list1.empty() || !list2.empty()) {
TreeNode* node;
vector<int> temp;
while (!list1.empty()) {
node = list1.top();
list1.pop();
temp.push_back(node->val);
if (node->left)
list2.push(node->left);
if (node->right)
list2.push(node->right);
}
if (!temp.empty())
ans.push_back(temp);
temp.clear();
while (!list2.empty()) {
node = list2.top();
list2.pop();
temp.push_back(node->val);
if (node->right)
list1.push(node->right);
if (node->left)
list1.push(node->left);
}
if (!temp.empty())
ans.push_back(temp);
}
return ans;
}
};
执行效率: