【Python】【难度:简单】Leetcode 637. 二叉树的层平均值

给定一个非空二叉树, 返回一个由每层节点平均值组成的数组.

示例 1:

输入:
    3
   / \
  9  20
    /  \
   15   7
输出: [3, 14.5, 11]
解释:
第0层的平均值是 3,  第1层是 14.5, 第2层是 11. 因此返回 [3, 14.5, 11].
注意:

节点值的范围在32位有符号整数范围内。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/average-of-levels-in-binary-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

 

# Definition for a binary tree node.
# class TreeNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.left = None
#         self.right = None

class Solution(object):
    def averageOfLevels(self, root):
        """
        :type root: TreeNode
        :rtype: List[float]
        """
        if not root:
            return []

        queue=[root]
        res=[]

        while queue:
            var=[]
            nxt=[]

            for node in queue:
                var.append(node.val)
                if node.left:
                    nxt.append(node.left)
                if node.right:
                    nxt.append(node.right)

            queue=nxt        
            res.append(float(sum(var))/float(len(var)))

        return res

 

执行结果:

通过

显示详情

执行用时 :28 ms, 在所有 Python 提交中击败了99.14%的用户

内存消耗 :17.4 MB, 在所有 Python 提交中击败了100.00%的用户

你可能感兴趣的:(leetcode)