Update appNew update is available. Click here to update.

Detect And Remove Cycle

Last Updated: 5 Dec, 2020
Difficulty: Easy

PROBLEM STATEMENT

Try Problem

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.

Input Format :
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.
Constraints :
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.

Approach 1

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

 

  • If the head is NULL or the next of the head is NULL, return false.
  • Take two pointers ‘cur’(initialized to next node of head) and ‘prev’(initialized to head)
  • Initialize a variable ‘i’ with 1.
  • Run a loop while ‘cur’ is not NULL.
    • Update ‘prev’ to head.
    • Run a loop from 0 to i - 1 using a variable ‘j’.
      • If next of ‘cur’ is equals to ‘prev’ i.e.if there is a loop from ‘cur’ node to ‘prev’, return true;
      • Update ‘prev’ to next of ‘prev’.
    • Update ‘cur’ to next of ‘cur’.
    • Increment ‘i’.
  • If no cycle found, return false.
Try Problem