leetcode 107. 二叉树的层次遍历 II

问题描述

给定一个二叉树,返回其节点值自底向上的层次遍历。 (即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)

例如:
给定二叉树 [3,9,20,null,null,15,7],

    3
   / \
  9  20
    /  \
   15   7
返回其自底向上的层次遍历为:

[
  [15,7],
  [9,20],
  [3]
]

代码

这道题和102. 二叉树的层次遍历几乎完全一样,唯一的改动是102题在ans的后面插入元素,这道题从前面开始插。

/**
 * 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>> levelOrderBottom(TreeNode* root) {
        vector<vector<int>> ans;
        if(!root)return ans;
        queue<TreeNode*> q;
        TreeNode* tmp = root;
        q.push(tmp);
        vector<int> path;
        while(!q.empty())
        {
            int size = q.size();
            
            for(int i = 0; i < size; i++)
            {
                tmp = q.front();
                path.push_back(tmp->val);
                q.pop();
                if(tmp->left)q.push(tmp->left);
                if(tmp->right)q.push(tmp->right);
            }
            ans.insert(ans.begin(),path);
            path.clear();
        }
        return ans;
    }   
};

结果:

执行用时 :20 ms, 在所有 C++ 提交中击败了8.02%的用户
内存消耗 :14.9 MB, 在所有 C++ 提交中击败了18.19%的用户
posted @ 2020-03-10 09:19  曲径通霄  阅读(107)  评论(0编辑  收藏  举报