给定一个二叉树,返回其节点值的锯齿形层次遍历。(即先从左往右,再从右往左进行下一层遍历,以此类推,层与层之间交替进行)。
例如:
给定二叉树 [3,9,20,null,null,15,7]
,
3 / \ 9 20 / \ 15 7
返回锯齿形层次遍历如下:
[ [3], [20,9], [15,7] ]
分析:
锯齿型的意思就是,第一层顺序,第二层逆序,第三层顺序,第四层逆序,依次遍历,所以我们只需要在层次遍历的时候,设置一个标志位表示这一层是顺序还是逆序,就可以了。
/**
* 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>> zigzagLevelOrder(TreeNode* root) {
// 队列层次遍历
// 标志位,表示顺序还是逆序
bool reverse = false;
// 保存结果
vector<vector<int>> result;
if(root == NULL) return result;
queue<TreeNode*> q;
q.push(root);
// 层次遍历
while( !q.empty()){
int size = q.size();
vector<int> temp;
for(; size>0; size--){
TreeNode* curr = q.front();
q.pop();
if(reverse){
temp.insert(temp.begin(), curr->val);
}else{
temp.push_back(curr->val);
}
if(curr->left) q.push(curr->left);
if(curr->right) q.push(curr->right);
}
// 改变遍历顺序
reverse = reverse?false:true;
// 保存结果
result.push_back(temp);
}
return result;
}
};