알고리즘 - Maximum Depth of Binary Tree

업데이트:

Given the root of a binary tree, return its maximum depth.

A binary tree’s maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node.

Example 1:

Input: root = [3,9,20,null,null,15,7]
Output: 3

Example 2:

Input: root = [1,null,2]
Output: 2

Example 3:

Input: root = []
Output: 0

Example 4:

Input: root = [0]
Output: 1

Constraints:

The number of nodes in the tree is in the range [0, 104].
-100 <= Node.val <= 100

문제풀이

2진트리로 구성된 노드의 가장 깊은 깊이에 대해서 구하는 알고리즘이 DFS(깊이 우선 탐색) 으로 해결해야하는 문제라 재귀용법을 써야한다.

/**
 * Definition for a binary tree node.
 * function TreeNode(val, left, right) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.left = (left===undefined ? null : left)
 *     this.right = (right===undefined ? null : right)
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number}
 */
var maxDepth = function(root) {
   if (!root) return 0;
    let max = 0;
    (function calcDepth(root, currnetCount = 0) {
        ++currnetCount
        if (max < currnetCount) max = currnetCount
        if(root.left) calcDepth(root.left, currnetCount)
        if(root.right) calcDepth(root.right, currnetCount)
    })(root)
    return max
};

calcDepth 라는 재귀로 반복시킬 함수를 하나 만들고 인자로 2진으로 나뉘어질 루트의 목록을 받고 목록이 있다는건 자식노드가 존재한다는것이기때문에 그때마다 뎁스계산을 위해 count 를 1씩 증가시켜준다.

left 노드와 right 노드가 존재하게되는데 만약 left 노드의 뎁스가 더 길다면 마지막 count 는 더 짧은 right 노드의 뎁스를 기억하게된다. 따라서 가장 긴 뎁스의 깊이를 기억하고 있어야할 max 변수를 만들어 가장 깊은 뎁스를 기억하도록 하였다.

댓글남기기