剑指Offer:二叉树的深度Java/Python

1.题目描述

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

2.算法描述

= m a x ( ) + 1 一棵树的高度=max(左子树的高度,右子树的高度) + 1
利用二叉树的 \red{后续遍历} 。求左子树的高度,右子树的高度 ,然后返回 m a x ( ) + 1 max(左子树的高度,右子树的高度) + 1

3.代码描述

3.1.Java代码

/**
public class TreeNode {
    int val = 0;
    TreeNode left = null;
    TreeNode right = null;
    public TreeNode(int val) {
        this.val = val;
    }
}
*/
public class Solution {
    public int TreeDepth(TreeNode root) {
        if(root == null)
            return 0;
        int leftDepth = TreeDepth(root.left);
        int rightDepth = TreeDepth(root.right);
        return Math.max(leftDepth, rightDepth) + 1;
    }
}

3.2.Python代码

# -*- coding:utf-8 -*-
# class TreeNode:
#     def __init__(self, x):
#         self.val = x
#         self.left = None
#         self.right = None
class Solution:
    def TreeDepth(self, pRoot):
        if not pRoot:
            return 0
        leftDepth = self.TreeDepth(pRoot.left)
        rightDepth = self.TreeDepth(pRoot.right)
        return max(leftDepth, rightDepth) + 1

猜你喜欢

转载自blog.csdn.net/qq_37888254/article/details/89875083