Last active
May 27, 2018 19:52
-
-
Save thmain/a90484ba3a093dfbb079 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| public class DiameterOfTree { | |
| public int getHeight(Node root) { | |
| if (root != null) { | |
| return 1 + Math.max(getHeight(root.left), getHeight(root.right)); | |
| } | |
| return 0; | |
| } | |
| public int Diameter(Node root) { | |
| if (root != null) { | |
| // get the left and right subtree height | |
| int leftH = getHeight(root.left); | |
| int rightH = getHeight(root.right); | |
| // get the left diameter and right diameter recursively. | |
| int leftDiameter = Diameter(root.left); | |
| int rightDiameter = Diameter(root.right); | |
| // get the max leftsubtree, rightsubtree, longest path goes through | |
| // root. | |
| return getMax(leftH + rightH + 1, leftDiameter, rightDiameter); | |
| } | |
| return 0; | |
| } | |
| public int getMax(int a, int b, int c) { | |
| return Math.max(a, Math.max(b, c)); | |
| } | |
| public static void main(String[] args) { | |
| Node root = new Node(1); | |
| root.left = new Node(2); | |
| root.right = new Node(3); | |
| root.left.left = new Node(4); | |
| root.left.right = new Node(5); | |
| root.left.right.left = new Node(6); | |
| root.left.right.left.right = new Node(7); | |
| root.left.left.left = new Node(8); | |
| DiameterOfTree d = new DiameterOfTree(); | |
| System.out.println("Diameter of Tree: " + d.Diameter(root)); | |
| } | |
| } | |
| class Node { | |
| int data; | |
| Node left; | |
| Node right; | |
| public Node(int data) { | |
| this.data = data; | |
| } | |
| } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment