其他分享
首页 > 其他分享> > 【力扣 007】107. 二叉树的层序遍历 II

【力扣 007】107. 二叉树的层序遍历 II

作者:互联网

102. 二叉树的层序遍历

方法1:

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    vector<vector<int>> levelOrderBottom(TreeNode* root) 
    {
        if(!root) return {};
        vector<vector<int>> res;
        queue<TreeNode*> qu;
        stack<vector<int>> st;
        qu.push(root);

        while(!qu.empty())
        {
            int num = qu.size();
            vector<int> temp;
            while(num--)
            {
                auto p = qu.front();
                qu.pop();
                temp.push_back(p->val);
                if(p->left) qu.push(p->left);
                if(p->right) qu.push(p->right);
            }
            st.push(std::move(temp));
        }
        while(!st.empty())
        {
            res.push_back(st.top());
            st.pop();
        }
        return res;
    }
};

 

标签:right,qu,val,层序,II,二叉树,push,TreeNode,left
来源: https://www.cnblogs.com/sunbines/p/16452660.html