用C#刷LeetCode算法题--543. 二叉树的直径

定义

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

用C#刷LeetCode算法题--543. 二叉树的直径_第1张图片

方法:递归 + 利用求树的最大深度的方法。


观察一下就可以发现,任意两个节点之间的路径长度,一定就是某一个节点的 左子树最大深度 + 右子树最大深度 !比如题目的示例中,直径是 [4,2,1,3] 或者 [5,2,1,3],其实就是节点 [1] 的左子树最大深度(2) + 右子树最大深度(1)= 3。
想明白了这一点,我们就可以写出递归代码。找出每一个节点的 左子树最大深度 + 右子树最大深度 的值,然后不断更新全局变量 res 即可。

代码以及实现

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

用C#刷LeetCode算法题--543. 二叉树的直径_第2张图片

你可能感兴趣的:(用C#刷Leet,Code算法题,算法,二叉树,leetcode)