forked from TARANG0503/DSA-Practice
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdiameterbinarytree.cpp
46 lines (45 loc) · 1.21 KB
/
diameterbinarytree.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
// IN this problem of binary tree we have to find max distance(max number of edges in between) between two nodes to find the diameter for our circle
#include<bits/stdc++.h>
#include"binarytreenode.h"
int maxheight(BTnode<int> * root)
{
int height = 0;
if(root == NULL)
{
return 0;
}
return 1 + max( height(root->left) , height(root->right) );
}
int maxdiameter(BTnode<int> * root)
{
if(root == NULL)
{
return 0;
}
int way1 = height(root->left) + (root->right);
int way2 = maxdiameter(root -> left);
int way3 = maxdiameter(root -> right);
return max(way1 , max(way2 , way3));
}
//using inbuilt pair template
pair<int , int> heightdiameter(BTnode<int> * root)
{
if(root == NULL)
{
pair<int , int> p;
p.first = 0;
p.second = 0;
return p;
}
pair<int , int>leftans = heightdiameter(root->left);
pair<int , int>rightans = heightdiameter(root->right);
int leftd = leftans.second;
int lefth = leftans.first;
int rightd = rightans.second;
int righth = rightans.first;
int height = 1+max(lefth + righth);
int diameter = max(lefth + righth + max(leftd , rightd));
pair<int , int> p;
p.first = height;
p.second = diameter;
}