Leetcode-124. 두 갈래 나무의 최대 경로와

4869 단어 Leetcode

Leetcode-124. 두 갈래 나무의 최대 경로와


비공 두 갈래 트리를 지정하고 최대 경로와 를 되돌려줍니다.
본고에서 경로는 나무의 임의의 노드에서 출발하여 임의의 노드에 도달하는 서열로 정의되었다.이 경로는 루트 노드를 거치지 않고 하나 이상의 노드를 포함합니다.
예 1:
 : [1,2,3]

       1
      / \
     2   3

 : 6

예 2:
 : [-10,9,20,null,null,15,7]

   -10
   / \
  9  20
    /  \
   15   7
 : 42

생각:
역귀의 사상, maxPathSumCore 함수에서res로 가장 긴 경로 결과를 기록하고 되돌아오는 것은 이 노드가 하위 트리로 형성된 경로 중 가장 긴 결과이다.그리고 왼쪽 나무, 오른쪽 나무를 두루 돌아다니며 왼쪽 나무의 길이를 얻는다.int left = max(0, maxPathSumCore(root->left, res)); right = max(0,maxPathSumCore(root->right,res): 이 두 단계는 왼쪽 트리와 오른쪽 트리가 마이너스인 상황을 직접 필터할 수 있습니다. 만약에 마이너스라면 루트가 형성하는 최대 결점 경로는 루트 자체입니다.
C++ code:
/**
 * 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:
    int maxPathSumCore(TreeNode* root, int &res) {
        if(root == NULL){
            return 0;
        }
        int left = max(0, maxPathSumCore(root->left, res));
        int right = max(0, maxPathSumCore(root->right, res));
        res = max(res, root->val + left + right);
        return max(left, right) + root->val;
    }
    int maxPathSum(TreeNode* root) {
        int res = INT_MIN;
        maxPathSumCore(root, res);
        return res;
    }
};

좋은 웹페이지 즐겨찾기