-
Notifications
You must be signed in to change notification settings - Fork 9
/
Copy path113_PathSumII.cpp
66 lines (59 loc) · 2.12 KB
/
113_PathSumII.cpp
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
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
#include "stdafx.h"
struct TreeNode {
int val;
TreeNode *left;
TreeNode *right;
TreeNode(int x) : val(x), left(NULL), right(NULL) {}
TreeNode(int x, TreeNode *_left, TreeNode *_right) : val(x), left(_left), right(_right) {}
};
//-----------------------------------------------------------------
class Solution {
public:
vector<vector<int> > pathSum(TreeNode *root, int sum) {
vector<vector<int>> result;
if (root == nullptr) return result;
vector<int> path;
find(result, path, root, sum);
return result;
}
private:
void find(vector<vector<int>> &result, vector<int> &path, TreeNode *root, int sum) {
sum -= root->val;
path.push_back(root->val);
if (root->left != nullptr) find(result, path, root->left, sum);
if (root->right != nullptr) find(result, path, root->right, sum);
if (root->left == nullptr && root->right == nullptr && sum == 0) {
result.push_back(path);
}
path.pop_back();
}
};
//-----------------------------------------------------------------
static void printResult(vector<vector<int>> const &result) {
cout << "##############" << endl;
for (auto &v : result) {
for (auto i : v) cout << i << ',';
cout << endl;
}
}
int main() {
Solution so;
printResult(so.pathSum(nullptr, 0));
printResult(so.pathSum(new TreeNode(1), 0));
printResult(so.pathSum(new TreeNode(1), 1));
printResult(so.pathSum(new TreeNode(1), 2));
printResult(so.pathSum(new TreeNode(1, new TreeNode(2), nullptr), 1));
printResult(so.pathSum(new TreeNode(1, new TreeNode(2), nullptr), 2));
printResult(so.pathSum(new TreeNode(1, new TreeNode(2), nullptr), 3));
auto tree = new TreeNode(5,
new TreeNode(4,
new TreeNode(11, new TreeNode(7), new TreeNode(2)),
nullptr),
new TreeNode(8,
new TreeNode(13),
new TreeNode(4, new TreeNode(5), new TreeNode(1))));
printResult(so.pathSum(tree, 22));
printResult(so.pathSum(tree, 26));
printResult(so.pathSum(tree, 18));
printResult(so.pathSum(tree, 17));
}