넘치게 채우기

[LeetCode] 543. Diameter of Binary Tree 본문

PS/LeetCode

[LeetCode] 543. Diameter of Binary Tree

riveroverflow 2024. 2. 27. 11:07
728x90
반응형

https://leetcode.com/problems/diameter-of-binary-tree/description/

 

Diameter of Binary Tree - LeetCode

Can you solve this real interview question? Diameter of Binary Tree - Given the root of a binary tree, return 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

leetcode.com

Leetcode - Diameter of Binary Tree

문제 유형 : dfs, 이진트리, 재귀

문제 난이도 : Easy

 

문제

Given the root of a binary tree, return 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.

The length of a path between two nodes is represented by the number of edges between them.

 

이진 트리의 루트가 주어집니다.

이 트리의 지름을 구하시오.

트리의 두 노드간의 가장 긴 길이를 말합니다. 루트를 거치지 않아도 됩니다.

 

풀이

 

 

각 서브트리 마다,

1. 왼쪽과 오른쪽의 깊이를 구합니다.

2. 현재 서브트리에서 지름을 업데이트해봅니다. (left+right이 더 크면, 업데이트)

3. 왼쪽, 오른쪽에서 더 깊은 깊이 +1을 반환하여 부모 노드에게 깊이를 제공합니다.

 

코드

C++

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
private:
    int diameter;
public:
    int traverse(TreeNode* node) {
        if(node == nullptr) return 0;
        if(!(node -> left) && !(node -> right)) return 1;
        int left = traverse(node -> left);
        int right = traverse(node -> right);
        diameter = max(diameter, left + right);

        return max(left, right) + 1;
    }

    int diameterOfBinaryTree(TreeNode* root) {
        traverse(root);
        return diameter;
    }
};
728x90
반응형

'PS > LeetCode' 카테고리의 다른 글

[LeetCode] 1609. Even Odd Tree  (0) 2024.02.29
[LeetCode] 513. Find Bottom Left Tree Value  (0) 2024.02.28
[LeetCode] 100. Same Tree  (0) 2024.02.26
[LeetCode] 787. Cheapest Flights Within K Stops  (0) 2024.02.23
[LeetCode] 997. Find the Town Judge  (0) 2024.02.22