【Leetcode】104. 二叉樹的最大深度

題目

給定一個二叉樹,找出其最大深度。node

二叉樹的深度爲根節點到最遠葉子節點的最長路徑上的節點數。spa

說明: 葉子節點是指沒有子節點的節點。code

示例:
給定二叉樹 [3,9,20,null,null,15,7],遞歸

3
   / \
  9  20
    /  \
   15   7

返回它的最大深度 3 。rem

題解

求最大深度,和深度相關,咱們很容易想到用層序遍歷。每遍歷一層,就深度加1, 怎麼記錄是第幾層咱們以前的文章中講過了。get

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public int maxDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        int depth = 0;
        LinkedList<TreeNode> queue = new LinkedList<>();
        queue.add(root);
        while (!queue.isEmpty()) {
            int size = queue.size();
            while (size > 0) {
                TreeNode current = queue.poll();
                if (current.left != null) {
                    queue.add(current.left);
                }
                if (current.right != null) {
                    queue.add(current.right);
                }
                size--;
            }
            depth++;
        }
        return depth;
    }
}

這道題用遞歸解代碼比較簡單.
遞歸的結束條件: 當節點爲葉子節點的時候.
遞歸的子問題: 當前最大深度 = 左右子樹最大深度的較大者 + 1it

代碼實現就很簡單了。io

class Solution {
    public int maxDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        return Math.max(maxDepth(root.left), maxDepth(root.right)) + 1;    
    }
}

熱門閱讀

Leetcode名企之路

相關文章
相關標籤/搜索