If you have any query feel free to chat us!
Happy Coding! Happy Learning!
To check if a linked list contains a loop, you can use the Floyd's cycle-finding algorithm, also known as the "tortoise and hare" algorithm. It involves using two pointers that move through the linked list at different speeds. If there is a loop, the two pointers will eventually meet.
Here's a Java implementation to check if a linked list contains a loop:
javaCopy code
class ListNode { int val; ListNode next; ListNode(int val) { this.val = val; this.next = null; } } public class LinkedListLoop { public boolean hasCycle(ListNode head) { if (head == null || head.next == null) { return false; } ListNode slow = head; ListNode fast = head.next; while (slow != fast) { if (fast == null || fast.next == null) { return false; } slow = slow.next; fast = fast.next.next; } return true; } public static void main(String[] args) { LinkedListLoop solution = new LinkedListLoop(); // Create a linked list with a loop ListNode head = new ListNode(1); head.next = new ListNode(2); head.next.next = new ListNode(3); head.next.next.next = new ListNode(4); head.next.next.next.next = head; // Create the loop System.out.println("Does the linked list have a loop? " + solution.hasCycle(head)); } }
In the
hasCycle
method, we use two pointersslow
andfast
, whereslow
moves one step at a time andfast
moves two steps at a time through the linked list. If there is a loop, thefast
pointer will eventually catch up to theslow
pointer, indicating the presence of a cycle. If there is no loop, thefast
pointer will reach the end of the list and returnfalse
.In the
main
method, we demonstrate the function with an example linked list containing a loop. The output will betrue
since the linked list contains a cycle.
Start the conversation!
Be the first to share your thoughts
Quick answers to common questions about our courses, quizzes, and learning platform