侧边栏壁纸
博主头像
Hope博主等级

努力赚钱的工科研究生

  • 累计撰写 362 篇文章
  • 累计创建 129 个标签
  • 累计收到 5 条评论
标签搜索

LeetCode 113. 路径总和 II

Hope
2022-02-23 / 0 评论 / 0 点赞 / 139 阅读 / 816 字
温馨提示:
本文最后更新于 2022-02-23,若内容或图片失效,请留言反馈。部分素材来自网络,若不小心影响到您的利益,请联系我们删除。

LeetCode 113. 路径总和 II

思路:

dfs

代码:

/**
 * 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:
    vector<vector<int>> res;
    vector<int> path;
    vector<vector<int>> pathSum(TreeNode* root, int targetSum) {
        if(!root) return {};
        dfs(root,targetSum);
        return res;
    }

    void dfs(TreeNode* root,int targetSum){
        targetSum-=root->val;
        path.push_back(root->val);
        //找出所有 从根节点到叶子节点 路径总和等于给定目标和的路径。
        if(!root->left && !root->right && !targetSum){
            res.push_back(path);
        } 
        else{
            if(root->left) dfs(root->left,targetSum);
            
            if(root->right) dfs(root->right,targetSum);
            
        }
        path.pop_back();
        
    }
};
0

评论区