剑指 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
采用递归的思想,当前节点的值加到cur,到当前层不满足,再删掉,把path的值也去掉,需要注意当到绿色标出来的点,需要对cur进行判断,不能等到nullptr回来再做判断,并且需要注意遍历到nullptr的节点不用处理,返回到上一层自然会处理。
/**
* 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>> result;
vector<int> path;
void pathSum(TreeNode* root, int target,int cur)
{
if(root == nullptr)
{
// 5->4->nullptr
return ;
}
if(root && !root->left && !root->right)
{
//5->4->11->2 此时就得计算,不然到nullptr回来会有两次!
if(cur + root->val == target)
{
path.push_back(root->val);
result.push_back(path);
path.pop_back();
}
return ;
}
cur += root->val;
path.push_back(root->val);
pathSum(root->left,target,cur);
pathSum(root->right,target,cur);
cur -= path[path.size() - 1];
path.pop_back();
}
vector<vector<int>> pathSum(TreeNode* root, int target) {
pathSum(root,target,0);
return result;
}
};
end