Post

leetcode(리트코드)543-Diameter of Binary Tree

leetcode(리트코드)543-Diameter of Binary Tree

leetcode 543 - Diameter of Binary Tree 문제입니다.

1. 문제

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


2. Input , Output


3. 분류 및 난이도

Eazy 난이도 문제입니다.
leetcode Top 100 Liked 문제입니다.


4. 문제 해석

  • 주어진 트리에서 가장 긴 경로를 가진 길이를 구하세요.
  • 트리의 root를 지날 수도 안지날 수도 있습니다.
  • 왼쪽자식 + 오른쪽 자식의 합을 매 트리의 노드마다 구해줘서 갱신했습니다.

5. code

c++

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
/**
 * 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 {
public:
    int result = 0;
    int order(TreeNode* node)
    {
        if(node!=nullptr)
            return max(order(node->left),order(node->right) )+1;
        return 0;
    }
    
    int diameterOfBinaryTree(TreeNode* root) {
        if(root!=nullptr)
        {
            int leftdepth = order(root->left);
            int rightdepth = order(root->right);
            result = max(result,leftdepth+rightdepth);
            diameterOfBinaryTree(root->left);
            diameterOfBinaryTree(root->right);
        }
        return result;
    }
};

6. 결과 및 후기, 개선점

코드에 대한 설명이 필요하신 분은 댓글을 달아주세요.!!

c++ 50% python ??%

c++ 0ms 100% code

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
public:
    int ans = 0;
    int util(TreeNode *root){
        if(!root) return 0;
        int left = util(root->left);
        int right = util(root->right);
        ans = max(left + right, ans);
        return max(left, right) + 1;
    }
    int diameterOfBinaryTree(TreeNode* root) {
        util(root);
        return ans;
    }
};

제 로직에서 쓸데없는 재귀를 없애버린 코드입니다.

This post is licensed under CC BY 4.0 by the author.