LeetCode102. 二叉树的层序遍历 vector的应用

  • Post author:
  • Post category:其他





题目

给你二叉树的根节点 root ,返回其节点值的 层序遍历 。 (即逐层地,从左到右访问所有节点)。

在这里插入图片描述

在这里插入图片描述

题目来源于力扣官方



分析



这题是二叉树的层序遍历,需要将每层的节点值依次存在

vector<int> tmp

中,然后再将

tmp

存入

vector<vector<int>> ans

中。不过在写的过程中,对于vector的使用非常不熟练,后面通过看题解才知道咋用。力扣很多题都用的是vector,引以为戒啊。



代码

/**
 * 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>> levelOrder(TreeNode* root) {
        vector<vector<int> > ans;
        if(!root)
        return ans;
        queue<TreeNode*> s;
        s.push(root);
        int n=s.size();
        TreeNode* idx=nullptr;
        while(!s.empty())
        {
            vector<int> tmp;
            //这里通过声明一个vector<int> tmp来存储每层的节点值
            //ans.push_back(vector<int>());
            n=s.size();
            for(int i=0;i<n;i++)//通过for循环完成层与层之间的分隔
            {
                idx=s.front();
                s.pop();
                tmp.push_back(idx->val);
                if(idx->left!=nullptr)
                {
                    s.push(idx->left);
                }
                if(idx->right!=nullptr)
                {
                    s.push(idx->right);
                }
            }
            ans.push_back(tmp);
        }
        return ans;
    }
};



版权声明:本文为weixin_44863500原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。