算法1
dfs
使用类成员变量 ans, path 存储结果。
函数中间是递归遍历,开始和结束是现场维护。
这个题里面,先递归/先判断 都是对的。
C++ 代码
class Solution {
public:
vector<vector<int>> ans;
vector<int> path;
vector<vector<int>> findPath(TreeNode* root, int sum) {
dfs(root, sum);
return ans;
}
void dfs(TreeNode* root, int sum) {
if (!root) return;
sum -= root->val;
path.push_back(root->val);
if (!root->left && !root->right && !sum) {
ans.push_back(path);
}
dfs(root->left, sum);
dfs(root->right, sum);
path.pop_back();
}
};