题目描述
输入一棵二叉树和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。
从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。
样例
给出二叉树如下所示,并给出num=22。
5
/ \
4 6
/ / \
12 13 6
/ \ / \
9 1 5 1
输出:[[5,4,12,1],[5,6,6,5]]
思路
当前序遍历访问到某一节点时,把该节点添加到路径上,并累加该节点的值。如果该节点为叶节点,且路径中节点的值的和刚好等于输入的整数,则当前路径符合要求,将其加入到最后的结果中。如果当前结点不是叶节点,则继续访问它的子节点。当前结点访问结束后,递归函数将自动回退到它的父节点。因此,在函数退出之前在路径上删除当前节点并减去当前父节点的值,以确保返回父节点时路径刚好是从根节点到父节点。
class Solution {
public:
vector<vector<int> > FindPath(TreeNode* root,int targetSum) {
vector<vector<int> > res;
if(root == nullptr)
return res;
vector<int> path;
int curSum = 0;
help(root, curSum, targetSum, path, res);
return res;
}
private:
void help(TreeNode* root, int curSum, int targetSum, vector<int>& path, vector<vector<int>>& res){
curSum += root->val;
path.push_back(root->val);
// 如果是叶结点,并且路径上结点的和等于输入的值
// 将这条路径保存到结果res中
if(curSum == targetSum && root->left == NULL && root->right == NULL){
res.push_back(vector<int>(path.begin(), path.end()));
}
// 如果不是叶结点,则遍历它的子结点
if(root->left)
help(root->left, curSum, targetSum, path, res);
if(root->right)
help(root->right, curSum, targetSum, path, res);
// 在返回到父结点之前,在路径上删除当前结点,
// 并在currentSum中减去当前结点的值
curSum -= root->val;
path.pop_back();
}
};