leetcode--113.총 경로 II
3459 단어 leetCode
설명: 잎 노드는 하위 노드가 없는 노드를 가리킨다.
예: 다음과 같은 두 갈래 트리와 목표 및
sum = 22
, 5
/ \
4 8
/ / \
11 13 4
/ \ / \
7 2 5 1
반환:
[
[5,4,11,2],
[5,8,4,5]
]
// :( )
/**
* 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 {
vector> ans;
vector temp;
public:
vector> pathSum(TreeNode* root, int sum) {
if(root==NULL) return ans;
helper(root,sum, root->val);
return ans;
}
void helper(TreeNode* root, int sum, int s)
{
if(root==NULL) return;
sum -= root->val;
temp.push_back(root->val);
if(root->left == NULL && root->right == NULL)
{
if(sum == 0)
{
ans.push_back(temp);
temp.clear();
temp.push_back(s);
}else if(sum < 0)
{
temp.pop_back();
return;
}
}
if(root->left) helper(root->left,sum,s);
if(root->right) helper(root->right,sum,s);
return;
}
};
대장부 정확한 코드:
/**
* 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> pathSum(TreeNode* root, int sum) {
vector v;
vector> vv;
DFS(vv,v,root,sum);
return vv;
}
void DFS(vector> &vv,vector v,TreeNode* root,int sum){
if(!root)
return;
sum = sum-root->val;
v.push_back(root->val);
if(!sum && !root->left && !root->right)
vv.push_back(v);
DFS(vv,v,root->left,sum);
DFS(vv,v,root->right,sum);
}
};
수정된 올바른 코드:
/**
* 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 {
vector> ans;
vector temp;
public:
vector> pathSum(TreeNode* root, int sum) {
if(root==NULL) return ans;
helper(root,sum);
return ans;
}
void helper(TreeNode* root, int sum)
{
if(root==NULL) return;
sum -= root->val;
temp.push_back(root->val);
if(root->left == NULL && root->right == NULL)
{
if(sum == 0)
{
ans.push_back(temp);
}
}
if(root->left) helper(root->left,sum);
if(root->right) helper(root->right,sum);
temp.pop_back(); //
return;
}
};
요약:
이 문제는 거슬러 올라가야 한다. 거슬러 올라가는 것은 귀속 뒤에 두어야 한다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
두 갈래 나무의 최대 지름Diameter of Binary Tree Given a binary tree, you need to compute the length of the diameter of the tree. The diameter of...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.