You are given an undirected Tree having 'N' nodes. The nodes are numbered from 1 to 'N'. Your task is to find the sorted list of all such nodes, such that rooting the tree on that node gives the minimum height possible of the given tree.
A tree is a connected acyclic graph. The height of a rooted tree is the maximum value of the distance between the root and all nodes of the tree.
The first line of the input contains an integer, 'T,’ denoting the number of test cases.
The first line of each test case contains an integer, 'N,’ denoting the number of nodes.
The next ‘N’-1 lines of each test case contain two space-separated integers, ‘X’ and ‘Y’ separated by a single space, ‘X’ and ’Y’ denote the two nodes connected by an undirected edge.
Output Format:
For each test case, return the list of all such nodes such that rooting the tree on that node gives the minimum height possible.
Return all the nodes in a sorted manner.
Note :
You do not need to print anything. It has already been taken care of. Just implement the given function.
1 <= T <= 10
1 <= N <= 10^5
1 <= X,Y <= N
The input edges form a tree.
Time limit: 1 sec
2
3
1 2
2 3
4
1 2
3 1
4 1
2
1
For the first test case, if we root the tree at Node 2, the height of the resultant tree is 1 which is the minimum possible height.
For the second test case, if we root the tree at Node 1, the height of the resultant tree is 1 which is the minimum possible height.
2
4
1 3
2 3
4 2
2
1 2
2 3
1 2
Select each node as the root of the tree, and find the height of each tree.
The idea is to iterate through all the nodes one by one, select that node as the root of the tree and find the height of the formed tree. We will also maintain a list of nodes that gives the minimum height. Whenever we find a node that gives a minimum height, we will clear our list and that node to the list and update the minimum height that we have found till now. If a node gives the same height as the minimum height, then we will add that node to our output list. Note that we will ignore all nodes that give greater height than minimum height. To find the height of a rooted tree we can use Depth First Search (DFS) or Breadth First Search (BFS).
Steps:
It takes O(N) time to find the height of a rooted tree, and we need to find the height for each of the ‘N’ nodes of the tree. Hence, the overall Time Complexity is O(N^2).
The extra space required to find height of a tree is proportional to the number of nodes in the tree. Hence, the overall Space Complexity is O(N).