leetcode 543:二叉树的直径

简介: leetcode 543:二叉树的直径

leetcode 543:二叉树的直径

543. 二叉树的直径

给定一棵二叉树,你需要计算它的直径长度。一棵二叉树的直径长度是任意两个结点路径长度中的最大值。这条路径可能穿过也可能不穿过根结点。

示例 :

给定二叉树

1
         / 
    2   3
       /      
      4   5

返回 3, 它的长度是路径 [4,2,1,3] 或者 [5,2,1,3]。

**注意:**两结点之间的路径长度是以它们之间边的数目表示。

Related Topics

深度优先搜索

二叉树

思路1:深度优先遍历(递归)

分析:一个节点直径长度有2种方式

  1. 左右子树的最大直径加1。
  1. 注意:我们统计左右子树的最大直径加1,但是当左右孩子为null时,需要返回-1,因为-1加1后等于0,叶子节点的直径就是0.
  1. 当左右孩子是叶子节点的时候,返回0,加1后就等于1.和叶子节点直径距离是1.
  2. 注意为空和叶子节点的返回值不同。
  1. 左子树的最大直径加1,再加上 右子树的最大直径加1。

找出整棵树的最大值。

class Solution {
    public int diameterOfBinaryTree(TreeNode root) {
        int[] result = dfs(root);
        return Math.max(result[0],result[1]);
    }
    //result[0] 表示当前节点到叶子的最大直径
    //result[1]表示这棵树中最大直径
    public int[] dfs(TreeNode root){
        int[] result = new int[2];
        if(root == null){
            result[0] = result[1] = -1;
            return result;
        }
        if(root.left ==null && root.right == null){
            return result;
        }
        int[] left = dfs(root.left);
        int[] right = dfs(root.right);
        result[0] = Math.max(left[0],right[0])+1;
        result[1] = Math.max(left[0]+right[0]+2,Math.max(left[1],right[1]));
        return result;
    }
}解答成功:
      执行耗时:0 ms,击败了100.00% 的Java用户
      内存消耗:40.9 MB,击败了41.45% 的Java用户

改进:定义一个全局变量max,函数就不需要当前节点最大值了。

class Solution {
    private int max = 0;
    public int diameterOfBinaryTree(TreeNode root) {
        dfs(root);
        return max;
    }
    public int dfs(TreeNode root){
        if(root == null){
            return -1;
        }
        if(root.left ==null && root.right == null){
            return 0;
        }
        int left = dfs(root.left);
        int right = dfs(root.right);
        max = Math.max(left+right+2,max);
        return Math.max(left,right)+1;
    }
}


相关文章
|
28天前
【LeetCode 31】104.二叉树的最大深度
【LeetCode 31】104.二叉树的最大深度
18 2
|
28天前
【LeetCode 29】226.反转二叉树
【LeetCode 29】226.反转二叉树
15 2
|
28天前
【LeetCode 28】102.二叉树的层序遍历
【LeetCode 28】102.二叉树的层序遍历
13 2
|
28天前
【LeetCode 43】236.二叉树的最近公共祖先
【LeetCode 43】236.二叉树的最近公共祖先
15 0
|
28天前
【LeetCode 38】617.合并二叉树
【LeetCode 38】617.合并二叉树
13 0
|
28天前
【LeetCode 37】106.从中序与后序遍历构造二叉树
【LeetCode 37】106.从中序与后序遍历构造二叉树
12 0
|
28天前
【LeetCode 34】257.二叉树的所有路径
【LeetCode 34】257.二叉树的所有路径
11 0
|
28天前
【LeetCode 32】111.二叉树的最小深度
【LeetCode 32】111.二叉树的最小深度
13 0
|
3月前
|
存储 算法
二叉树进阶-学会层序遍历助你一次刷完leetcode10道题
文章深入探讨了二叉树的层序遍历方法,并展示了如何通过队列实现层序遍历的算法逻辑,同时指出掌握层序遍历技巧可以帮助解决LeetCode上的多道相关题目。
二叉树进阶-学会层序遍历助你一次刷完leetcode10道题
|
3月前
|
算法 Java
LeetCode第94题二叉树的中序遍历
文章介绍了LeetCode第94题"二叉树的中序遍历"的解法,使用递归实现了中序遍历的过程,遵循了"左根右"的遍历顺序,并提供了清晰的Java代码实现。
LeetCode第94题二叉树的中序遍历