[LeetCode] 124. 두 갈래 트리의 최대 경로와 (깊이 우선 반복 + 메모리 그룹)
6890 단어 나무가 두루 다니다깊이 우선 반복
124. 두 갈래 나무의 최대 경로와
비공 두 갈래 트리를 지정하고 최대 경로와 를 되돌려줍니다.
본고에서 경로는 나무의 임의의 노드에서 출발하여 임의의 노드에 도달하는 서열로 정의되었다.이 경로는 루트 노드를 거치지 않고 하나 이상의 노드를 포함합니다.
예 1: : [1,2,3]
1
/ \
2 3
: 6
예 2: : [-10,9,20,null,null,15,7]
-10
/ \
9 20
/ \
15 7
: 42
문제 풀이 사고방식: 이 문제 풀이의 관건은 최대 경로를 두 가지 상황, 즉 노드로 출발하는 최대 경로와 이 노드를 통과하는 최대 경로를 분리하는 것이다. 그리고 전자는 노드 자체와 노드 + 약간의 왼쪽(또는 오른쪽) 트리의 노드만 포함하는 경로를 나눌 수 있다.또 반복 과정의 중복 계산을 줄이기 위해 메모리 그룹을 넣어야 한다./**
* 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 helper(TreeNode* node, unordered_map<TreeNode*, int>& m, int &res) {
if (!node) return 0;
if (m.count(node)) {
res = max(res, m[node]);
return m[node];
}
int left = helper(node->left, m, res);
int right = helper(node->right, m, res);
m[node] = max(node->val, max(node->val + left, node->val + right));
res = max(res, max(m[node], left + right + node->val));
return m[node];
}
int maxPathSum(TreeNode* root) {
if (!root) return 0;
unordered_map<TreeNode*, int> m;
int res = INT_MIN;
helper(root, m, res);
return res;
}
};
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
LeetCode 28 Binary Tree Maximum Path Sum
Given a binary tree, find the maximum path sum.
The path may start and end at any node in the tree.
For example:
Given t...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.
: [1,2,3]
1
/ \
2 3
: 6
: [-10,9,20,null,null,15,7]
-10
/ \
9 20
/ \
15 7
: 42
/**
* 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 helper(TreeNode* node, unordered_map<TreeNode*, int>& m, int &res) {
if (!node) return 0;
if (m.count(node)) {
res = max(res, m[node]);
return m[node];
}
int left = helper(node->left, m, res);
int right = helper(node->right, m, res);
m[node] = max(node->val, max(node->val + left, node->val + right));
res = max(res, max(m[node], left + right + node->val));
return m[node];
}
int maxPathSum(TreeNode* root) {
if (!root) return 0;
unordered_map<TreeNode*, int> m;
int res = INT_MIN;
helper(root, m, res);
return res;
}
};
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
LeetCode 28 Binary Tree Maximum Path SumGiven a binary tree, find the maximum path sum. The path may start and end at any node in the tree. For example: Given t...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.