« Find height of tree
Find height
Given a generic tree, find and return the height of given tree.
Input Format:
The first line of input contains data of the nodes of the tree in level order form. The order is: data for root node, number of children to root node, data of each of child nodes and so on and so forth for each node. The data of the nodes of the tree is separated by space.
Output Format :
The first and only line of output prints the height of the given generic tree.
Constraints:
Time Limit: 1 sec
Sample Input 1:
10 3 20 30 40 2 40 50 0 0 0 0
Sample Output 1:
3
1#include <iostream>2#include <queue>3#include <vector>4#include<climits>5using namespace std;67template <typename T>8class TreeNode {9 public:10 T data;11 vector<TreeNode<T>*> children;1213 TreeNode(T data) { this->data = data; }1415 ~TreeNode() {16 for (int i = 0; i < children.size(); i++) {17 delete children[i];18 }19 }20};2122int getHeight(TreeNode<int>* root) {23 if(root == NULL){24 return 0;25 }26 int height = 0;27 for(int i=0; i<root->children.size(); i++){28 height = max(height, getHeight(root->children[i]));29 }30 return (height+1);31}3233TreeNode<int>* takeInputLevelWise() {34 int rootData;35 cin >> rootData;36 TreeNode<int>* root = new TreeNode<int>(rootData);3738 queue<TreeNode<int>*> pendingNodes;3940 pendingNodes.push(root);41 while (pendingNodes.size() != 0) {42 TreeNode<int>* front = pendingNodes.front();43 pendingNodes.pop();44 int numChild;45 cin >> numChild;46 for (int i = 0; i < numChild; i++) {47 int childData;48 cin >> childData;49 TreeNode<int>* child = new TreeNode<int>(childData);50 front->children.push_back(child);51 pendingNodes.push(child);52 }53 }5455 return root;56}5758int main() {59 TreeNode<int>* root = takeInputLevelWise();60 cout << getHeight(root);61}