day23-113. 路径总和ii

113. 路径总和ii

力扣题目链接(opens new window)

给定一个二叉树和一个目标和,找到所有从根节点到叶子节点路径总和等于给定目标和的路径。

说明: 叶子节点是指没有子节点的节点。

示例: 给定如下二叉树,以及目标和 sum = 22,

day23-113. 路径总和ii_第1张图片

思路

利用前序遍历,我们可以使用类型回溯的技巧: sum - root->val,像这样传递参数,返回后数值不变。

代码如下:

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
private:
    vector<vector<int>> res;
    vector<int> curPath;
public:
    vector<vector<int>> pathSum(TreeNode* root, int targetSum) {
        res.clear();
        curPath.clear();
        if(!root)return  res;
        curPath.push_back(root->val);
        getPath(root,targetSum-root->val);
        return res;
    }
    void getPath(TreeNode* root, int curSum){
         if(!root->left && !root->right && curSum == 0){ // 叶子结点且差为0
            res.push_back(curPath);
            return;
        }
        if(!root->left && !root->right)return;
        
       
        if(root->left){ // 空结点不进
            curPath.push_back(root->left->val);
            getPath(root->left,curSum-root->left->val); // 回溯
            curPath.pop_back();
        }
        if(root->right){
            curPath.push_back(root->right->val);
            getPath(root->right,curSum-root->right->val);
            curPath.pop_back();
        }
        return;
    }
};

curPath.pop_back();
}
return;
}
};


你可能感兴趣的:(算法,算法)