题目描述:
给你二叉树的根节点 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
输出:[]
题目解析:
本问题是典型的二叉树方案搜索问题,使用回溯法解决,其包含 先序遍历 + 路径记录 两部分。
先序遍历: 按照 “根、左、右” 的顺序,遍历树的所有节点。
路径记录: 在先序遍历中,记录从根节点到当前节点的路径。当路径为根节点到叶节点形成的路径且各节点值的和等于目标值 sum 时,将此路径加入结果列表。
首先初始化vector<vector<int>>res 和 vector<int>path,path用于记录遍历的每条路径,res中添加符合条件的path,作为最后的结果。
pathSum(root, target) 函数:
调用 findPath(root, target) 函数求得res,返回 res 得到结果。
findPath(root, target) 函数:
递推参数: 当前节点 root,目标值 target 。
终止条件: 若节点 root 为空,则直接返回。
递推工作:
路径更新: 将当前节点值 root.val 加入路径 path ;
目标值更新: target = target - root.val(即目标值 target 从 target 减至 0 );
路径记录: 当 root 为叶节点且路径和等于目标值 ,则将此路径 path 加入 res。
先序遍历: 递归左 / 右子节点。
路径恢复: 向上回溯前,需要将当前节点从路径 path 中删除,即执行 path.pop() 。
/**
* 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 {
vector<vector<int>>res;
vector<int>path;
public:
vector<vector<int>> pathSum(TreeNode* root, int target) {
findPath(root, target);
return res;
}
void findPath(TreeNode* root, int target){
if(root==nullptr)return;
path.push_back(root->val);
target-=root->val;
if(target==0&&root->left==nullptr&&root->right==nullptr){
res.push_back(path);
}
else{
findPath(root->left, target);
findPath(root->right, target);
}
path.pop_back();
}
};