博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
543. Diameter of Binary Tree【Easy】【二叉树的直径】
阅读量:6622 次
发布时间:2019-06-25

本文共 1404 字,大约阅读时间需要 4 分钟。

Given a binary tree, you need to compute the length of the diameter of the tree. The diameter of a binary tree is the length of the longest path between any two nodes in a tree. This path may or may not pass through the root.

Example:

Given a binary tree 

1         / \        2   3       / \           4   5

 

Return 3, which is the length of the path [4,2,1,3] or [5,2,1,3].

Note: The length of path between two nodes is represented by the number of edges between them.

Accepted
111,412
Submissions
241,330
【解析】:
对于每一个点,left 和 right depth 之和,就等于这个点的最大直径。换一句话说,就是这个点,左边能延伸出去最大值 + 右边能延伸出去的最大值,加一起,就等于这个点的左边最远的点到右边最远的点的距离。 就是最大直径。

关键点:用post order去返回每一个点的depth(在之前depth值上+1),null点就返回0(base case);

    需要两个function,因为getDepth function 返回的都是depth,不是diameter,所以需要diameterOfBinaryTree 来单独返回diameter;

    每一个点的最大直径等于左边的depth 加上 右边的depth,取所有点中最大的值。

/** * Definition for a binary tree node. * public class TreeNode { *     int val; *     TreeNode left; *     TreeNode right; *     TreeNode(int x) { val = x; } * } */class Solution {    int res = 0;    public int diameterOfBinaryTree(TreeNode root) {        getDepth(root);        return res;    }    public int getDepth(TreeNode root) {        if(root == null) return 0;        int l = getDepth(root.left);        int r = getDepth(root.right);        res = Math.max(res,l+r);        return Math.max(l,r) + 1;    }}

 

转载于:https://www.cnblogs.com/Roni-i/p/10434918.html

你可能感兴趣的文章
K-means之matlab实现
查看>>
运行第一个容器 - 每天5分钟玩转容器技术(4)
查看>>
97.4. 配置 Nagios
查看>>
Redis代码阅读3--Redis网络监听(2)
查看>>
使用Docker搭建SonarQube检测代码质量
查看>>
Greenplum merge insert 用法与性能 (insert on conflict)
查看>>
redo log buffer小结
查看>>
SAP Hybris Commerce 6.0发布,六大革新功能抢鲜看
查看>>
[原创]AKM项目逸事之入住酒店金卡会员
查看>>
KDB和Oracle的性能pk小记
查看>>
自动推荐系统效果为什么不好
查看>>
Mono for Android 优势与劣势
查看>>
【C++】成员函数重载二元和一元运算符
查看>>
“移”步到位:一站式移动应用研发体系
查看>>
ASP.NET状缓存Cache的应用-提高数据库读取速度
查看>>
WPF技术触屏上的应用系列(六): 视觉冲击、超炫系统主界面、系统入口效果实现...
查看>>
linux命令之ldconfig
查看>>
Python获取两个日期之间的列表
查看>>
Http服务器如何在HTTP response中传送二进制图片
查看>>
Spring boot quartz的相关资源
查看>>