题目:
给定两个二叉树,编写一个函数来检验它们是否相同。
如果两个树在结构上相同,并且节点具有相同的值,则认为它们是相同的。
思路:
之前看到过用递归比较简单。只需对比每个节点值、以及左、右孩子是否相同。
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def isSameTree(self, p, q):
"""
:type p: TreeNode
:type q: TreeNode
:rtype: bool
"""
def issamenode(a,b):
if a==None and b==None: return True
if (a and b) == None: return False #注意加括号
if a.val !=b.val:
return False
return issamenode(a.left,b.left) and issamenode(a.right,b.right)
return issamenode(p,q)