其他分享
首页 > 其他分享> > Leetcode 687. 最长同值路径 (二叉树递归)

Leetcode 687. 最长同值路径 (二叉树递归)

作者:互联网

维护一个递归函数,返回当前节点往下具有相同值的最长路径,最大路径可以左右都选,因此在递归计算的同时,求出最大路径。

注意不要改变对应根节点的返回值。代码如下:

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    int longestUnivaluePath(TreeNode* root) {
        int res = 0;
        function<int(TreeNode*)> dfs = [&](TreeNode* root) {
            if (root == nullptr) {
                return 0;
            }
            int left = dfs(root->left);
            int right = dfs(root->right);
            int leftLength = 0, rightLength = 0;
            if (root->left && root->val == root->left->val) {
                leftLength = left + 1;
            }
            if (root->right && root->val == root->right->val) {
                rightLength = right + 1;
            }
            res = max(res, leftLength + rightLength);
            return max(leftLength, rightLength);
        };
        dfs(root);
        return res;
    }
};

标签:right,TreeNode,val,int,二叉树,同值,root,Leetcode,left
来源: https://blog.csdn.net/wwxy1995/article/details/122312592