(93)107. Binary tree hierarchy traversal II (leetcode)

题目链接:
https://leetcode-cn.com/problems/binary-tree-level-order-traversal-ii/
难度:简单
107. 二叉树的层次遍历 II
	给定一个二叉树,返回其节点值自底向上的层次遍历。 
(即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)
例如:
	给定二叉树 [3,9,20,null,null,15,7],
	    3
	   / \
	  9  20
	    /  \
	   15   7
返回其自底向上的层次遍历为:
[
	  [15,7],
	  [9,20],
	  [3]
]

Simple batch. . . .
Breadth

/**
 * 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==NULL){
    
    
            return ans;
        }
        queue<TreeNode*> que;
        que.push(root);
        while(!que.empty()){
    
    
            int n=que.size();
            vector<int> t;
            for(int i=0;i<n;++i){
    
    
                auto it=que.front();
                que.pop();
                t.push_back(it->val);
                if(it->left!=NULL){
    
    
                    que.push(it->left);
                }
                if(it->right!=NULL){
    
    
                    que.push(it->right);
                }
            }
            ans.push_back(t);
        }
        reverse(ans.begin(),ans.end());
        return ans;
    }
};

Guess you like

Origin blog.csdn.net/li_qw_er/article/details/108426323