输入一棵二叉树和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。
从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。
样例
给出二叉树如下所示,并给出num=22。
5
/ \
4 6
/ / \
12 13 6
/ \ / \
9 1 5 1
输出:[[5,4,12,1],[5,6,6,5]]
解法:前序遍历
判断叶节点只能通过前序
用一个vector保存当前路径即可
时间复杂度O(n),空间复杂度O(n)
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<vector<int>> ans;
vector<vector<int>> findPath(TreeNode* root, int sum) {
vector<int> path;
dfs(root, sum, path);
return ans;
}
void dfs(TreeNode* root, int sum, vector<int> &path) {
if (!root) return ;
sum -= root->val;
path.push_back(root->val);
if (!root->left && !root->right && sum == 0) ans.push_back(path);
dfs(root->left, sum, path);
dfs(root->right, sum, path);
path.pop_back();
}
};