二叉树的堂兄弟节点

 

在二叉树中,根节点位于深度 0 处,每个深度为 k 的节点的子节点位于深度 k+1 处。

如果二叉树的两个节点深度相同,但父节点不同,则它们是一对堂兄弟节点。

我们给出了具有唯一值的二叉树的根节点 root,以及树中两个不同节点的值 x 和 y。

只有与值 x 和 y 对应的节点是堂兄弟节点时,才返回 true。否则,返回 false。

 

 

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {  
    
    public boolean isCousins(TreeNode root, int x, int y) {
        if(root == null){
            return false;
        }
        int[] dx = {0};
        int[] dy = {0};
        TreeNode left = null;
        TreeNode right = null;
        helper(root,null,0,x,dx,left);
        helper(root,null,0,y,dy,right);
        return(dx == dy) && (left != right);
    }
    public void helper(TreeNode root,TreeNode p,int index,int xy,int[] dxy,TreeNode parent){
        if(root == null){
            return;
        }
        if (root.val == xy) {
            parent = p;
            dxy[0] = index;
            return;
        }
        helper(root.left,root,index+1,xy,dxy,parent);
        helper(root.right,root,index+1,xy,dxy,parent);
    }
}