输入一棵二叉树和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。
从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。
样例
给出二叉树如下所示,并给出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)

  1. /**
  2. * Definition for a binary tree node.
  3. * struct TreeNode {
  4. * int val;
  5. * TreeNode *left;
  6. * TreeNode *right;
  7. * TreeNode(int x) : val(x), left(NULL), right(NULL) {}
  8. * };
  9. */
  10. class Solution {
  11. public:
  12. vector<vector<int>> ans;
  13. vector<vector<int>> findPath(TreeNode* root, int sum) {
  14. vector<int> path;
  15. dfs(root, sum, path);
  16. return ans;
  17. }
  18. void dfs(TreeNode* root, int sum, vector<int> &path) {
  19. if (!root) return ;
  20. sum -= root->val;
  21. path.push_back(root->val);
  22. if (!root->left && !root->right && sum == 0) ans.push_back(path);
  23. dfs(root->left, sum, path);
  24. dfs(root->right, sum, path);
  25. path.pop_back();
  26. }
  27. };