leetcode 437. 路径总和 III(Path Sum III)

Posted zhanzq1

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了leetcode 437. 路径总和 III(Path Sum III)相关的知识,希望对你有一定的参考价值。

题目描述:

给定一个二叉树,它的每个结点都存放着一个整数值。

找出路径和等于给定数值的路径总数。

路径不需要从根节点开始,也不需要在叶子节点结束,但是路径方向必须是向下的(只能从父节点到子节点)。

二叉树不超过1000个节点,且节点数值范围是 [-1000000,1000000] 的整数。

示例:

    root = [10,5,-3,3,2,null,11,3,-2,null,1], sum = 8

          10
         /          5   -3
       / \          3   2   11
     / \       3  -2   1

    返回 3。和等于 8 的路径有:

    1.  5 -> 3
    2.  5 -> 2 -> 1
    3.  -3 -> 11

解法:

/**
 * 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 pathSum(TreeNode* root, int sum, unordered_map<long long, long long> mp) {
        int res = 0;
        if(root){
            unordered_map<long long, long long> tmp;
            for(auto it : mp){
                tmp[it.first + root->val] = it.second;
            }
            if(tmp.find(root->val) == tmp.end()){
                tmp[root->val] = 1;
            }else{
                tmp[root->val]++;
            }
            res += tmp[sum];
            res += pathSum(root->left, sum, tmp);
            res += pathSum(root->right, sum, tmp);
        }
        return res;
    }
    
    int pathSum(TreeNode* root, int sum) {
        unordered_map<long long, long long> mp;
        mp[sum] = 0;
        return pathSum(root, sum, mp);
    }
};

以上是关于leetcode 437. 路径总和 III(Path Sum III)的主要内容,如果未能解决你的问题,请参考以下文章

*Leetcode 437. 路径总和 III

[LeetCode] 437. 路径总和 III ☆☆☆(递归)

LeetCode 437. 路径总和 III Path Sum III (Easy)

leetcode 437. 路径总和 III

leetcode 437. 路径总和 III(Path Sum III)

[LeetCode] 437. 路径总和 III (递归,二叉树)