剑指Offer-二叉树中和为某一值的路径

题目描述

输入一颗二叉树的跟节点和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。(注意: 在返回值的list中,数组长度大的数组靠前)

思路分析

使用二维数组来存储路径。注意要明白递归的思路,另外,二叉树遍历的方法来懂得变通,针对左右子树进行递归。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
/*
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
TreeNode(int x) :
val(x), left(NULL), right(NULL) {
}
};*/

class Solution {
public:
vector<vector<int> > x;
vector<int> temp;
vector<vector<int> > FindPath(TreeNode* root, int expectNumber) {
if(root) DFS(root, expectNumber);
return x;
}
void DFS(TreeNode *root, int k){
temp.push_back(root->val);
if((k - root->val == 0) && !root->left && !root->right)
x.push_back(temp);
if(root->left)
DFS(root->left, k - root->val); // 减去当前的结点的值
if(root->right)
DFS(root->right, k - root->val);
temp.pop_back(); //
}
}