每天一道leetcode:剑指 Offer 34. 二叉树中和为某一值的路径(中等&图论&深度优先遍历&递归)

今日份题目:

给你二叉树的根节点 root 和一个整数目标和 targetSum ,找出所有 从根节点到叶子节点 路径总和等于给定目标和的路径。

叶子节点 是指没有子节点的节点。

示例1

复制代码
输入:root = [5,4,8,11,null,13,4,7,2,null,null,5,1], targetSum = 22
输出:[[5,4,11,2],[5,8,4,5]]

示例2

复制代码
输入:root = [1,2,3], targetSum = 5
输出:[]

示例3

复制代码
输入:root = [1,2], targetSum = 0
输出:[]

提示

  • 树中节点总数在范围 [0, 5000]

  • -1000 <= Node.val <= 1000

  • -1000 <= targetSum <= 1000

题目思路

使用递归深度优先遍历,使用前序遍历,在遍历途中,记录路径,如果某一路径能得出target,那么将该路径放入结果数组,否则删除该路径。判断某一路径是否能得出target,就是在路过每个节点时让当前target减去该节点的值,直到0。

代码

cpp 复制代码
/**
 * 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;//记录路径

    void dfs(TreeNode* root, int target) 
    {
        if(root==NULL) return;
        path.push_back(root->val);
        target-=root->val;
        if(root->left==NULL&&root->right==NULL&&target==0) 
        {//满足条件的路径,放入结果数组中
            res.push_back(path);
        }
        //依次遍历左子树和右子树
        dfs(root->left,target);
        dfs(root->right,target);
        path.pop_back();//依次递归完,如果没有压入结果数组,就说明该路径不满足条件,删除
    }

    vector<vector<int>> pathSum(TreeNode* root, int target) 
    {
        dfs(root,target);
        return res;
    }
};

提交结果

欢迎大家在评论区讨论,如有不懂的代码部分,欢迎在评论区留言!

相关推荐
算AI7 小时前
人工智能+牙科:临床应用中的几个问题
人工智能·算法
我不会编程5558 小时前
Python Cookbook-5.1 对字典排序
开发语言·数据结构·python
懒羊羊大王&8 小时前
模版进阶(沉淀中)
c++
owde8 小时前
顺序容器 -list双向链表
数据结构·c++·链表·list
第404块砖头9 小时前
分享宝藏之List转Markdown
数据结构·list
GalaxyPokemon9 小时前
Muduo网络库实现 [九] - EventLoopThread模块
linux·服务器·c++
W_chuanqi9 小时前
安装 Microsoft Visual C++ Build Tools
开发语言·c++·microsoft
hyshhhh9 小时前
【算法岗面试题】深度学习中如何防止过拟合?
网络·人工智能·深度学习·神经网络·算法·计算机视觉
码农幻想梦9 小时前
第八章 图论
图论
鹭天9 小时前
【网络流 && 图论建模 && 最大权闭合子图】 [六省联考 2017] 寿司餐厅
图论