剑指Offer(38):二叉树的深度

一、题目描述

输入一棵二叉树,求该树的深度。从根结点到叶结点依次经过的结点(含根、叶结点)形成树的一条路径,最长路径的长度为树的深度。


二、解题思路

递归方法,使用DFS(深度优先搜索)。


三、编程实现

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

猜你喜欢

转载自blog.csdn.net/Fan0628/article/details/88965284