/*/******************************************************************************* ** ** ** Jiedi(China nanjing)Ltd. ** ** 创建:丁宋涛 夏曹俊,此代码可用作为学习参考 ** *******************************************************************************/ /*****************************FILE INFOMATION*********************************** ** ** Project : 算法设计与编程实践---基于leetcode的企业真题库 ** Contact : xiacaojun@qq.com ** 博客 : http://blog.csdn.net/jiedichina ** 视频课程 : 网易云课堂 http://study.163.com/u/xiacaojun 腾讯课堂 https://jiedi.ke.qq.com/ csdn学院 https://edu.csdn.net/course/detail/25037 ** 51cto学院 http://edu.51cto.com/lecturer/index/user_id-100013755.html ** 老夏课堂 http://www.laoxiaketang.com ** ** 算法设计与编程实践---基于leetcode的企业真题库 课程群 :296249312加入群下载代码和交流 ** 微信公众号 : jiedi2007 ** 头条号 : 夏曹俊 ** ***************************************************************************** //!!!!!!!!! 算法设计与编程实践---基于leetcode的企业真题库 课程 QQ群:296249312 下载代码和交流*/ /* * @lc app=leetcode.cn id=107 lang=cpp * * [107] 二叉树的层次遍历 II */ /** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ #include #include #include using namespace std; class Solution { public: vector> levelOrderBottom(TreeNode* root) { vector> v; stack> s; queue q; q.push(root);//根节点入队 if(root == NULL) return v; while(!q.empty()){ vector vv; queue next;//建立第二个队列 //用来存放下一层的节点 while(!q.empty()){ TreeNode* tre = q.front(); vv.push_back(tre->val); q.pop();//头元素出队 if(tre->left != NULL) next.push(tre->left); if(tre->right != NULL) next.push(tre->right); } s.push(vv);//用一个向量来保存这一层的节点 //进入下一层 q = next; } while(!s.empty()){ v.push_back(s.top()); s.pop(); } return v; } };