Skip to content

Latest commit

 

History

History
85 lines (68 loc) · 2.5 KB

112-path-sum.md

File metadata and controls

85 lines (68 loc) · 2.5 KB

112. Path Sum - 路径总和

给定一个二叉树和一个目标和,判断该树中是否存在根节点到叶子节点的路径,这条路径上所有节点值相加等于目标和。

说明: 叶子节点是指没有子节点的节点。

示例: 
给定如下二叉树,以及目标和 sum = 22

              5
             / \
            4   8
           /   / \
          11  13  4
         /  \      \
        7    2      1

返回 true, 因为存在目标和为 22 的根节点到叶子节点的路径 5->4->11->2


题目标签:Tree / Depth-first Search

题目链接:LeetCode / LeetCode中国

题解

判断是否存在,因此可以考虑DFS。需要记录经过的节点的值,每次访问新节点就加入节点值,从栈中退出就移除加入的节点值。当访问叶节点时,对路径节点值求和做判断。

在递归时需要注意,当递归返回true时,说明找到了符合条件的路径,可以立即返回true。

Language Runtime Memory
cpp 4 ms 1.3 MB
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
static auto _ = [](){
    ios::sync_with_stdio(false);
    cin.tie(nullptr);
    return 0;
}();

class Solution {
public:
    vector<int> path;
    bool hasPathSum(TreeNode* root, int sum) {
        if(!root){
            return false;
        }
        path.push_back(root->val);  // add node to path
        if(!root->left && !root->right){
            if(accumulate(path.begin(), path.end(), 0) == sum){
                return true;
            }
        }
        if(root->left){
            if(hasPathSum(root->left, sum)){
                return true;
            }
            path.pop_back();  // pop from stack, remove node from path
        }
        if(root->right){
            if(hasPathSum(root->right, sum)){
                return true;
            }
            path.pop_back();  // pop from stack, remove node from path
        }
        return false;
    }
};