[LeetCode] Maximum Depth of Binary Tree 문제 풀이 보고서

1195 단어 leetcodeAlgorithms
[제목 설명]
Given a binary tree, find its maximum depth.
The maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node.
[문제 풀이 사고방식]
또 하나의 일반적인 문제이다. 나무의 깊이를 구하는 것은 원래 비귀속 방식으로 하는 것이 빠르지만 귀속 방법은 확실히 비교적 명확하고 생각도 간단하다. 뿌리 노드부터 시작하여 좌우 나무의 깊이를 구하고 비교적 큰 깊이를 되돌린다.
/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int maxDepth(TreeNode *root) {
        // Start typing your C/C++ solution below
        // DO NOT write int main() function
        if (!root)
            return 0;
        int nLeftDeep = 1;
        int nRightDeep = 1;
        if (root->left)
            nLeftDeep = nLeftDeep + maxDepth(root->left);
        if (root->right)
            nRightDeep = nRightDeep + maxDepth(root->right);
        if (nLeftDeep > nRightDeep)
            return nLeftDeep;
        else
            return nRightDeep;
    }
};

[소스 코드]
https://github.com/rangercyh/leetcode/blob/master/Maximum%20Depth%20of%20Binary%20Tree

좋은 웹페이지 즐겨찾기