1. 程式人生 > >Python刷leetcode112. 路徑總和

Python刷leetcode112. 路徑總和

給定一個二叉樹和一個目標和,判斷該樹中是否存在根節點到葉子節點的路徑,這條路徑上所有節點值相加等於目標和。

說明: 葉子節點是指沒有子節點的節點。

示例: 
給定如下二叉樹,以及目標和 sum = 22

              5
             / \
            4   8
           /   / \
          11  13  4
         /  \      \
        7    2      1

返回 true, 因為存在目標和為 22 的根節點到葉子節點的路徑 5->4->11->2

思路:兩種方法

        1、計算從根節點到每個葉子節點路徑上的元素之和組成列表,判斷目標值是否在列表中

        2、由上到下遞迴地判斷從根節點到葉子節點路徑上元素之和是否等於目標值

# 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 hasPathSum(self, root, sum):
        """
        :type root: TreeNode
        :type sum: int
        :rtype: bool
        """
        """
        #建立內建遞迴函式
        self.res = []
        def caculate(root,sum):
            if not root:
                return
            if not root.left and not root.right:
                self.res.append(sum+root.val)
            if root.left:
                caculate(root.left,sum+root.val)
            if root.right:
                caculate(root.right,sum+root.val)
        caculate(root,0)
        if sum in self.res:
            return True
        return False
        """
        if not root:
            return False
        if root.val == sum and not root.left and not root.right:
            return True
        return self.hasPathSum(root.left,sum-root.val) or self.hasPathSum(root.right,sum-root.val)