递归
class Solution:
def isSubPath(self, head: ListNode, root: TreeNode) -> bool:
if not head:
return True
if not root:
return False
if root.val == head.val:
return self.isSubPath(head.next,root.left) or self.isSubPath(head.next,root.right)
else:
return self.isSubPath(head,root.left) or self.isSubPath(head,root.right)
以上是错误代码
class Solution:
# 判断树中是否存在链表head
def isSubPath(self, head: ListNode, root: TreeNode) -> bool:
if not head:
return True
if not root:
return False
return self.helper(head,root) or self.isSubPath(head,root.left) or self.isSubPath(head,root.right)
# 判断树中是否存在以root为起点的链表head
def helper(self,head,root):
if not head:
return True
if not root:
return False
if head.val == root.val:
return self.helper(head.next,root.left) or self.helper(head.next,root.right)
return False
以上是通过代码
原因:
错误代码中只用了一个递归,这个递归的含义是:判断树中是否存在链表head。覆盖的范围很大,导致出现一种情况,那就是不连续的结构也会返回True,此时应当是返回False的
正确代码中,两个递归的含义很明确,一个是判断树中是否存在链表head,另一个是判断树中是否存在以root为起点的链表head,此时使用第二个递归,一定能保证正确的返回结果,因为此时不会包含错误代码的情况