본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 543. Diameter of Binary Tree

반응형

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

재귀함수를 이용해 답을 구하는 문제였습니다.

📕 풀이방법

📔 풀이과정

Solution객체의 member 변수로 ans를 선언해줍니다.

1. 왼쪽 node로 가는 길과 오른쪽 node로 가는 길 중 가장 긴 거리를 반환하는 함수 go를 실행해줍니다. 

  1-1. 기저에서는 0을 반환해줍니다.

  1-2. tree의 왼쪽, 오른쪽 node를 각각 순회하며 현재 depth에서 내려갈 수 있는 길의 최댓값을 반환합니다.

  1-3. 왼쪽 길의 길이와 오른쪽 길의 길이의 합이 ans이므로 매 호출마다 ans의 최댓값을 해당값과 비교해 저장해줍니다.

📔 정답 출력 | 반환

ans를 반환해줍니다.


📕 Code

📔 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 {
public:
    int ans = 0;
    int diameterOfBinaryTree(TreeNode* root) {
        go(root);
        return ans;
    }
    int go (TreeNode* root) {
        if(root == NULL) return 0;
        int left = go(root->left);
        int right = go(root->right);
        ans = max(ans, left + right);
        return max(left,right) + 1;
    }
};

*더 나은 내용을 위한 지적, 조언은 언제나 환영합니다.