Solution: Linked List Cycle III
Let’s solve the Linked List Cycle III problem using the Fast and Slow Pointers pattern.
We'll cover the following
Statement
Given the head
of a linked list, determine the length of the cycle present in the linked list. If there is no cycle, return 0
.
A cycle exists in a linked list if there is some node in the list that can be reached again by continuously following the next
pointer.
Constraints:
The number of nodes in the list is in the range
. Node.value
Solution
The fast and slow pointers technique is an efficient method for detecting cycles in a linked list. In this approach, the fast pointer advances two steps at a time, while the slow pointer moves one step at a time. If the list has no cycle, the fast pointer will eventually reach the end (NULL) without meeting the slow pointer. However, if a cycle exists, the fast pointer will eventually catch up to the slow pointer, confirming the presence of a cycle. Once the two pointers meet inside the cycle, this meeting point can be used to determine the cycle’s length. By keeping one pointer fixed at the meeting point and moving the other through the loop one node at a time, we can count the number of steps until the moving pointer returns to the meeting point. This count represents the length of the cycle in the linked list.
The steps of the algorithm are as follows:
Initialize two pointers,
fast
andslow
, pointing at the linked list’shead
.To detect the cycle in the linked list, perform the below steps:
Move the
slow
pointer one step forward.Move the
fast
pointer two steps forward.If the
fast
pointer reachesNULL
orfast.next
isNULL
, no cycle exists in the list.If the
slow
andfast
pointers meet, a cycle has been detected.
After finding the cycle, determine the length of the cycle by performing the following steps:
When a cycle is detected, we fix one pointer at the meeting point (
fast
).The
slow
pointer moves one step forward, initializinglength = 1
to count the first step.The
slow
pointer continues, moving within the cycle one step at a time. The loop continues untilslow
reaches the meeting point (fast
) again. Each step increments thelength
counter.Once the loop completes,
length
contains the total number of nodes in the cycle. Returns this value.
If no cycle is found, return
0
.
Let’s look at the illustration below to better understand the solution.
Level up your interview prep. Join Educative to access 70+ hands-on prep courses.