欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

leetcode543二叉树的直径

程序员文章站 2022-05-20 10:56:44
...

题目描述

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

      1
     / \
    2   3
   / \     
  4   5    

返回 3, 它的长度是路径 [4,2,1,3] 或者 [5,2,1,3]。
注意:两结点之间的路径长度是以它们之间边的数目表示。

代码实现

两种思路:

  1. 递归实现,一棵树的直径长度 = Max( 左树的直径长度,右树的直径长度,包含根节点的直径长度(即左右树深度和) ) ,复杂度高。
  2. 深度遍历,在遍历的过程中,用全局变量ans记录当前最长的路径(节点个数)。以每个节点为路径的根节点的最长路径等于左右子树的深度和+1,深度在遍历的过程中就计算了,复杂度O(n)。
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int diameterOfBinaryTree(TreeNode* root) {
        if(root == NULL) return 0;
        return Max(diameterOfBinaryTree(root->left), diameterOfBinaryTree(root->right), Depth(root->left) + Depth(root->right));
    }
    int Max(int a, int b, int c){
        int ans;
        if(a > b) ans = a;
        else ans = b;
        if(c > ans) return c;
        else return ans;
    }
    int Depth(TreeNode* root){
        if(root == NULL) return 0;
        return Max2(Depth(root->left),Depth(root->right)) + 1;
    }
    int Max2(int a, int b){
        if(a > b) return a;
        else return b;
    }
};
class Solution {
public:
    int ans = 1;
    int diameterOfBinaryTree(TreeNode* root) {
        if(root == NULL) return 0;
        Depth(root);
        return ans - 1;
    }
    int Depth(TreeNode* root){
        if(root == NULL) return 0;
        int L,R;
        L = Depth(root->left);
        R = Depth(root->right);
        ans = max(ans, L+R+1);
        return max(L,R)+1;
    }
    int max(int a,int b){
        return a>b?a:b;
    }
    
};