leetcode5145. 祖父节点值为偶数的节点和

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

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

示例:

输入: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.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int sumEvenGrandparent(TreeNode* root) {
        int res = 0;
        dfs(root, -1, -1, res);
        return res;
    }
    void dfs(TreeNode* u, int pre, int prepre, int& res)
    {
        if(!u) return;
        if(prepre != -1 && prepre % 2 == 0) 
        {
            // cout << u->val << endl;
            res += u->val;
        }
        dfs(u->left, u->val, pre, res);
        dfs(u->right, u->val, pre, res);
    }
};
发布了44 篇原创文章 · 获赞 0 · 访问量 952

猜你喜欢

转载自blog.csdn.net/weixin_37748689/article/details/103942430
今日推荐