5月17日每日一题:二叉树的堂兄弟节点
题目名称:二叉树的堂兄弟节点
难度:简单
题目描述:
在二叉树中,根节点位于深度 0 处,每个深度为 k 的节点的子节点位于深度 k+1 处。
如果二叉树的两个节点深度相同,但 父节点不同 ,则它们是一对堂兄弟节点。
我们给出了具有唯一值的二叉树的根节点 root ,以及树中两个不同节点的值 x 和 y 。
只有与值 x 和 y 对应的节点是堂兄弟节点时,才返回 true 。否则,返回 false。
解题思路:
使用深度优先搜索,查找两个节点的深度和父节点,然后进行比较
编码:
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def isCousins(self, root: TreeNode, x: int, y: int) -> bool:
parent, depth = [], []
def dfs(tree, d):
if tree.left:
if tree.left.val in [x, y]:
parent.append(tree.val)
depth.append(d)
dfs(tree.left, d+1)
if tree.right:
if tree.right.val in [x, y]:
parent.append(tree.val)
depth.append(d)
dfs(tree.right, d+1)
dfs(root, 0)
if root.val in [x, y]:
return False
return parent[0] != parent[1] and depth[0] == depth[1]