[Leetcode] 104. Maximum Depth of Binary Tree

서해빈·2021년 4월 2일
0

코딩테스트

목록 보기
36/65

문제 바로가기
leaf node에서 backtracking으로 root까지의 길이 중 최대 값을 계산한다.

Time Complexity: O(n)O(n)
Space Complexity: O(logn)O(\log n) - worse case: O(n)O(n)

# Definition for a binary tree node.
# class TreeNode:
#     def __init__(self, val=0, left=None, right=None):
#         self.val = val
#         self.left = left
#         self.right = right
class Solution:
    def maxDepth(self, root: TreeNode) -> int:
        if root is None:
            return 0
        
        return max(self.maxDepth(root.left), self.maxDepth(root.right)) + 1

0개의 댓글