Fastflow——基於golang的輕量級工作流框架
阿新 • • 發佈:2022-05-23
103. 二叉樹的鋸齒形層序遍歷
給你二叉樹的根節點 root
,返回其節點值的 鋸齒形層序遍歷 。(即先從左往右,再從右往左進行下一層遍歷,以此類推,層與層之間交替進行)。
示例 1:
輸入:root = [3,9,20,null,null,15,7]
輸出:[[3],[20,9],[15,7]]
示例 2:
輸入:root = [1]
輸出:[[1]]
示例 3:
輸入:root = []
輸出:[]
提示:
- 樹中節點數目在範圍
[0, 2000]
內 -100 <= Node.val <= 100
思路:
也是BFS,只不過需要在每行遍歷時做出調整即可
class Solution { public: vector<vector<int>> zigzagLevelOrder(TreeNode* root) { vector<vector<int>>ans; if(root==nullptr)return ans; //BFS queue<TreeNode*>q; q.push(root); bool turn=true;//從左往右則為true while(!q.empty()){ int sz=q.size(); deque<int>res;//雙端佇列 為了可以做到左右遍歷 for(int i=0;i<sz;i++){ TreeNode* cur=q.front(); q.pop(); //z字遍歷 if(turn){//從左到右遍歷就正序即可 res.push_back(cur->val); }else{ res.push_front(cur->val);//從右到左就把每個數從頭部插入 } if(cur->left!=nullptr)q.push(cur->left); if(cur->right!=nullptr)q.push(cur->right); } turn=!turn; ans.emplace_back(vector<int>{res.begin(), res.end()});//注意這種構造方式 } return ans; } };