본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 111. Minimum Depth of Binary Tree

반응형

https://leetcode.com/problems/minimum-depth-of-binary-tree/

 

Minimum Depth of Binary Tree - LeetCode

Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.

leetcode.com

함수호출의 횟수를 줄이는 재귀 구현 문제였습니다.

📕 풀이방법

📔 풀이과정

여러 경우에 따라 leaf인지 아닌지 판별해 호출하는 함수개수를 줄여줍니다.

1. 현재 node가 null인 경우 : 이 경우 재귀의 기저 case 또는 처음에 해당하므로 0을 반환해줍니다. 

2. 현재 node의 자식이 없는 경우 : 말단이므로 1을 반환해줍니다.

3. 현재 node의 자식이 있는 경우 : 말단이 아니므로 호출 가능한 자식을 따져 다음 함수를 호출합니다.

4. 현재 node에 자식이 모두 있는 경우 : 양쪽 오른쪽과 왼쪽가지에 대해 재귀함수를 수행합니다. 이 들중 말단까지 가는 거리가 적은 값을 반환후 자기 자신을 포함하는 의미인 +1한 값을 최종적으로 반환해줍니다.


📕 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 minDepth(TreeNode* root) {
        if(root == NULL) return 0;
        TreeNode *left = root->left;
        TreeNode *right = root->right;
        if(left == NULL && right == NULL) return 1;
        if(left != NULL && right == NULL) return minDepth(left) + 1;
        if(left == NULL && right != NULL) return minDepth(right) + 1;
        return min(minDepth(left), minDepth(right)) + 1;
    }
};

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