leetcode 1315. 祖父节点值为偶数的节点和

给你一棵二叉树,请你返回满足以下条件的所有节点的值之和:

该节点的祖父节点的值为偶数。(一个节点的祖父节点是指该节点的父节点的父节点。)
如果不存在祖父节点值为偶数的节点,那么返回 0 。

 

示例:

 leetcode 1315. 祖父节点值为偶数的节点和

输入:root = [6,7,8,2,7,1,3,9,null,1,4,null,null,null,5]
输出:18
解释:图中红色节点的祖父节点的值为偶数,蓝色节点为这些红色节点的祖父节点。
 

提示:

树中节点的数目在 1 到 10^4 之间。
每个节点的值在 1 到 100 之间。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/sum-of-nodes-with-even-valued-grandparent
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

前序遍历树,每一个节点判断其是否有孙子节点,若有的话,就累加求和。最后返回。

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    int sum = 0;
    public int sumEvenGrandparent(TreeNode root) {
        find(root);
        return sum;
    }

    private void find(TreeNode root) {
        if (root == null) {
            return;
        }
        if ((root.val & 1) != 1) {
            int n = 0;
            TreeNode item;
            TreeNode t = root.left;
            if (t != null) {
                item = t.left;
                if (item != null) {
                    n += item.val;
                }
                item = t.right;
                if (item != null) {
                    n += item.val;
                }
            }
            t = root.right;
            if (t != null) {
                item = t.left;
                if (item != null) {
                    n += item.val;
                }
                item = t.right;
                if (item != null) {
                    n += item.val;
                }
            }
            sum += n;
        }
        find(root.left);
        find(root.right);
    }
}

leetcode 1315. 祖父节点值为偶数的节点和

上一篇:F5 BIG-IP常见NAT配置


下一篇:1315 祖父节点值为偶数的节点和