给定一个二叉树,返回其节点值的锯齿形层次遍历。(即先从左往右,再从右往左进行下一层遍历,以此类推,层与层之间交替进行)。
例如:
给定二叉树 [3,9,20,null,null,15,7],
3
/
9 20
/
15 7
返回锯齿形层次遍历如下:
[
[3],
[20,9],
[15,7]
]
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/binary-tree-zigzag-level-order-traversal
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
了解了新的容器,list链表。
具有pop_front,pop_back,front,back,reverse,push_front,push_back等一些列操作
以下个人解法,依旧是bfs
唯一不同的是需要用到reverse进行反转
*/
class Solution {
public:
vector<vector<int>> zigzagLevelOrder(TreeNode* root) {
int flag=1,width=1;
vector<vector<int>> num;
list<TreeNode*> node;
TreeNode *p=root;
if(root==NULL)
return num;
node.push_back(p);
while(!node.empty())
{
vector<int> temp;
if(flag)//flag==1时是顺序存储值
{
for(int i=1;i<=width;i++)
{
p=node.front();
node.pop_front();
if(p->left!=NULL)
node.push_back(p->left);//将节点从左至右存入list中
if(p->right!=NULL)
node.push_back(p->right);
temp.push_back(p->val);
}
width=node.size();
node.reverse();//反转,供下面逆序存值
flag=0;
}
else//flag==0时是逆序存储值
{
for(int i=1;i<=width;i++)
{
p=node.front();
node.pop_front();
if(p->right!=NULL)
node.push_back(p->right);//此时节点是从右往左遍历的,所以需要先把右孩子存入,不然相邻的左右节点会交叉
if(p->left!=NULL)
node.push_back(p->left);
temp.push_back(p->val);
}
node.reverse();
width=node.size();//逆序反转后是正序
flag=1;
}
num.push_back(temp);
}
return num;
}
};
对链表的操作提供参考:
https://blog.csdn.net/qq_41135605/article/details/89000985