Problem of the day
You have been given a Singly Linked List of integers, determine if it forms a cycle or not. If there is a cycle, remove the cycle and return the list.
A cycle occurs when a node's ‘next’ points back to a previous node in the list.
The first line of input contains a single integer T, representing the number of test cases or queries to be run.
The first line of each test case contains the elements of the singly linked list separated by a single space and terminated by -1 and hence -1 would never be a list element.
The second line contains the integer position "pos" which represents the position (0-indexed) in the linked list where the tail connects to. If "pos" is -1, then there is no cycle in the linked list.
Output Format :
For each test case, print two lines.
The first line contains 'True' if the linked list has a cycle, otherwise 'False'.
The second line contains the elements of the singly linked list separated by a single space and terminated by -1. Hence, -1 would never be a list element.
Note :
You don't have to explicitly print anything yourself. It has been taken care of. Just implement the given function.
1 <= T <= 10
1 <= N <= 5 * 10^4
-1 <= pos < N
-10^9 <= data <= 10^9 and data != -1
Where 'N' is the size of the singly linked list, and "data" is the Integer data of the singly linked list.
2
3 2 0 -4 -1
1
1 2 -1
-1
True
3 2 0 -4 -1
False
1 2 -1
In the 1st test case, there is a cycle, from index 1 -> 2 -> 3 -> 1. The cycle's length is 3.
In the 2nd test case, there is no cycle.
2
1 1 1 -1
0
3 -3 -1
-1
True
1 1 1 -1
False
3 -3 -1
Think of checking every node to detect the cycle.
The basic idea is that for every node we will check if there is any node to its left that is creating a cycle.
Algorithm
O(N^2), Where ‘N’ is the number of nodes in the linked list.
For every node, we are checking all the nodes to their left. In the worst case, the time complexity will be O(N^2).
O(1)
Constant space is used.