Problem of the day
You are given ‘N’ binary tree nodes numbered from 0 to N - 1 where node ‘i’ has two children LEFT_CHILD[i] and RIGHT_CODE[i]. Return ‘True’ if and only if all the given nodes form exactly one valid binary tree. If node ‘i’ has no left child then 'LEFT_CHILD[i]' will equal -1, similarly for the right child.
Example:
Let’s say we have n=4 nodes, 'LEFT_CHILD' = {1, -1, 3, -1} and
RIGHT_CHILD = {2, -1, -1, -1}. So the resulting tree will look like this:
It will return True as there is only one valid binary tree and each node has only one parent and there is only one root.
The very first line of input contains an integer ‘T’ denoting the
number of test cases.
The first line of every test case contains an integer ‘N’ denoting
the number of nodes of the tree.
The next two lines of every test case contain the 'LEFT_CHILD' array and
'RIGHT_CHILD' array respectively.
Output format:
For each test case, return either ‘Yes’ or ‘No’ that whether from given nodes, we can form exactly one valid binary tree or not.
Output for each test case is printed on a separate line.
Note:
You do not need to print anything, it has already been taken care of. Just return ‘True’ or ‘False’ that whether from given nodes we can form exactly one valid binary tree or not.
The nodes have no values and that we only use the node numbers in this problem.
1 <= T <= 10
1 <= N <= 10^4
LEFT_CHILD.length == RIGHT_CHILD.length == N
-1 <= LEFT_CHILD[i], RIGHT_CHILD[i] <= N - 1
Time Limit: 1 sec
2
4
1 -1 3 -1
2 -1 -1 -1
4
1 -1 3 -1
2 3 -1 -1
Yes
No
For the first test case,
It is already explained above in the example.
For the second test case,
The resulting tree from the given input will be :
So the output will be ‘False’ because node 3 has two parents 1
and 2.
2
2
1 0
-1 -1
6
1 -1 -1 4 -1 -1
2 -1 -1 5 -1 -1
No
No
Try to solve the problem by using a disjoint set union method. Also, keep in mind that a tree will have one root and it is one whole connected component.
Approach:
Algorithm:
O(N), Where N is the number of nodes in the tree
Traversing over all the N edges to find the count of the parent of each node will take O(N) time. Traversing over all the N edges again to find the possible root will take O(N) time. And traversing again for the last time to unite the nodes of a tree and find the connected components will take O(α(N)) which is a nearly constant time where α(N) is the inverse Ackermann function, which grows very slowly which will give a total of O(N*α(N)) time. Thus total time complexity will be O(N + N + N*α(N)) = O(N) time.
O(N), Where N is the number of nodes in the graph.
The current construction of the graph (embedded in our DSU structure) has at most ‘N’ nodes. Also, the array is used to store the count of the parent of each node which will take O(N) space. Thus total space complexity will be O(N+N) = O(N) space.