LeetCode 112. 路徑總和 Python
阿新 • • 發佈:2018-12-09
給定一個二叉樹和一個目標和,判斷該樹中是否存在根節點到葉子節點的路徑,這條路徑上所有節點值相加等於目標和。
說明: 葉子節點是指沒有子節點的節點。
示例:
給定如下二叉樹,以及目標和 sum = 22
,
5 / \ 4 8 / / \ 11 13 4 / \ \ 7 2 1
返回 true
, 因為存在目標和為 22 的根節點到葉子節點的路徑 5->4->11->2
。
# Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: def hasPathSum(self, root, sum): if not root: return False sum -= root.val left, right = root.left, root.right if sum == 0 and not left and not right: return True if left or right: return self.hasPathSum(left, sum) or self.hasPathSum(right, sum) else: return False