在二叉树中,根节点位于深度
0
处,每个深度为k
的节点的子节点位于深度k+1
处。如果二叉树的两个节点深度相同,但 父节点不同 ,则它们是一对堂兄弟节点。
我们给出了具有唯一值的二叉树的根节点
root
,以及树中两个不同节点的值x
和y
。只有与值
x
和y
对应的节点是堂兄弟节点时,才返回true
。否则,返回false
。993. 二叉树的堂兄弟节点https://leetcode.cn/problems/cousins-in-binary-tree/
示例1:
输入:root = [1,2,3,4], x = 4, y = 3 输出:false示例2:
输入:root = [1,2,3,null,4,null,5], x = 5, y = 4 输出:true
/**
* @param {TreeNode} root
* @param {number} x
* @param {number} y
* @return {boolean}
*/
var isCousins = function(root, x, y) {
// x 的信息
let x_parent = null, x_depth = null, x_found = false;
// y 的信息
let y_parent = null, y_depth = null, y_found = false;
const dfs = (node, depth, parent) => {
if (!node) {
return;
}
if (node.val === x) {
[x_parent, x_depth, x_found] = [parent, depth, true];
} else if (node.val === y) {
[y_parent, y_depth, y_found] = [parent, depth, true];
}
// 如果两个节点都找到了,就可以提前退出遍历
// 即使不提前退出,对最坏情况下的时间复杂度也不会有影响
if (x_found && y_found) {
return;
}
dfs(node.left, depth + 1, node);
if (x_found && y_found) {
return;
}
dfs(node.right, depth + 1, node);
}
dfs(root, 0, null);
return x_depth === y_depth && x_parent !== y_parent;
};