Leetcode 543. Diameter of Binary Tree(두 갈래 트리 지름)
Diameter of Binary Tree
Given a binary tree, you need to compute the length of the diameter
of the tree. The diameter of a binary tree is the length of the longest
path between any two nodes in a tree. This path may or may not pass
through the root.
Example:
Given a binary tree
1
/ \
2 3
/ \
4 5
Return 3, which is the length of the path [4,2,1,3] or [5,2,1,3].
/**
* 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 ans=0;
int anothergetlength(TreeNode*root){
if(root==NULL){
return 0;
}
int left=anothergetlength(root->left);
int right=anothergetlength(root->right);
ans=max(ans,left+right);
return left>right?(left+1):(right+1);
}
int diameterOfBinaryTree(TreeNode* root) {
anothergetlength(root);
return ans;
}
};
이 문제는 교묘하게private에 있다. 첫째, 가장 긴 경로가 반드시 루트 노드를 통과하는 것이 아니라는 것을 명확히 해야 한다. 자신이 생각하는 좌우 트리의 합을 구하면 안 된다. 둘째,private 함수에서 각 트리의 길이를 구해야 한다. 사실 일반적인 길이를 구하는 데도 이렇게 계산하지만 그 전에는 최대 길이를 구하는 데 사용했을 뿐이다. 지금 우리는 한 줄의 코드로 이 정보를 이용한다.경로 수 = = 노드 수 - 14, ans 전역 변수로 정의하기
ans = max(ans, left+right + 1);//
// ,
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.