[LeetCode] 111. Minimum Depth of Binary Tree

Chobby·2025년 1월 3일
1

LeetCode

목록 보기
144/194

😎풀이

해당 문제는 정말 지문 그대로 가장 가까운 leaf 노드의 depth를 반환하면 되는 문제인데, 문제 제목을 보고 무지성 dfs로 풀이하고 보니 bfs 풀이법이 훨씬 효율적이라는 점을 알게되었음..

/**
 * Definition for a binary tree node.
 * class TreeNode {
 *     val: number
 *     left: TreeNode | null
 *     right: TreeNode | null
 *     constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) {
 *         this.val = (val===undefined ? 0 : val)
 *         this.left = (left===undefined ? null : left)
 *         this.right = (right===undefined ? null : right)
 *     }
 * }
 */

function minDepth(root: TreeNode | null): number {
    if(!root) return 0
    function dfs(current: TreeNode, depth: number) {
        let [curL, curR] = [null, null]
        if(current.left) curL = dfs(current.left, depth + 1) 
        if(current.right) curR = dfs(current.right, depth + 1) 
        if(curL && curR) return Math.min(curL, curR)
        if(curL) return curL
        if(curR)return curR
        return depth
    }
    return dfs(root, 1)
};
profile
내 지식을 공유할 수 있는 대담함

0개의 댓글