leetcode: Path Sum II(경로의 합, 결과 경로 기록)[면접 알고리즘]

제목:
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]
]

제목은 모든 경로를 찾아서 뿌리 노드에서 잎 노드까지의 합이sum와 같고 모든 조건을 만족시키는 경로를 출력하는 것을 의미합니다.
데이터로 dfs 경로의 모든 값을 기록하고 조건이 충족될 때 기록된 경로를vector에 저장하고 결과에 저장합니다.
다른 보주는 이전 문제와 같다.
/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
private:
    int data[1000];
    vector<vector<int>> result;
public:
    vector<vector<int> > pathSum(TreeNode *root, int sum) {
        result.clear();
        dfs(root,sum,0);
        return result;
    }
    void dfs(TreeNode *root,int sum,int index)
    {
        if(!root)return;
        if(root->val==sum && root->left==NULL && root->right==NULL)
        {
            vector<int >t;
            for(int i=0;i<index;++i)t.push_back(data[i]);
            t.push_back(sum);
            result.push_back(t);
            return;
        }
        sum-=root->val;
        data[index]=root->val;
        if(root->left)dfs(root->left,sum,index+1);
        if(root->right)dfs(root->right,sum,index+1);
    }
};
// blog.csdn.net/havenoidea

좋은 웹페이지 즐겨찾기