Leetcode

Leetcode-Path Sum(2)

2017-10-04  本文已影响0人  Juliiii

Description

Given a binary tree and a sum, find all root-to-leaf paths where each path's sum equals the given sum.

For example:
Given the below binary tree and sum = 22,

              5
             / \
            4   8
           /   / \
          11  13  4
         /  \    / \
        7    2  5   1

return

[
   [5,4,11,2],
   [5,8,4,5]
]

Explain

这道题跟path sum的思想基本一样。

这道题一看就是深度优先搜索的问题了。题意很简单,就是从找一个条路,从根部到叶子,其中节点的值加起来等于给定的值。那就遍历每个节点,每次到达一个新的叶子节点时,加上当前结点的值,看是否等于给定的值,如果是,那么就找到了。如果不是,退回上一层继续遍历,直到遍历完整个树,如果还找不到,那就无解。

不同的地方就是要求变了,上一道是返回一个布尔值,这一道是所有返回符合条件的情况。直接上代码

Solution

/**
 * 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>> pathSum(TreeNode* root, int sum) {
        vector<vector<int>>res;
        vector<int>_res;
        if (!root) return res;
        dfs(res, root, sum, 0, _res);
        return res;
    }
    void dfs(vector<vector<int>>& res, TreeNode* root, int sum, int _sum, vector<int> _res) {
        if (root) {
            _res.push_back(root->val);
            _sum += root->val;
            dfs(res, root->left, sum, _sum, _res);
            dfs(res, root->right, sum, _sum, _res);
            if(!root->left&&!root->right&&_sum == sum) res.push_back(_res);
        }
    }
};
上一篇下一篇

猜你喜欢

热点阅读