Find the sum of all left leaves in a given binary tree.
Example:
3
/ \
9 20
/ \
15 7
There are two left leaves in the binary tree, with values 9 and 15 respectively. Return 24.
# 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 isLeaf(self,root):
if root.left == None and root.right == None:
return True
def sumOfLeftLeaves(self, root):
if root == None:
return 0
res = 0
#print root.val
if root.left and self.isLeaf(root.left):
res += root.left.val
res += self.sumOfLeftLeaves(root.left) + self.sumOfLeftLeaves(root.right)
return res
"""
:type root: TreeNode
:rtype: int
"""

本文介绍了一种算法,用于求解给定二叉树中所有左叶子节点的值之和。通过递归方式检查每个节点是否为左叶子节点,并返回所有符合条件的节点值总和。
804

被折叠的 条评论
为什么被折叠?



