Given a linked list, determine if it has a cycle in it.spa
Follow up:
Can you solve it without using extra space?指針
經典問題,判斷一個單向鏈表是否有環,快慢指針,有相遇即有環。code
/** * Definition for singly-linked list. * class ListNode { * int val; * ListNode next; * ListNode(int x) { * val = x; * next = null; * } * } */ public class Solution { public boolean hasCycle(ListNode head) { if (head == null) return false; ListNode fast = head, slow = head; int cnt = 0; while (true) { if (fast == null) return false; if (cnt > 0 && fast == slow) return true; slow = slow.next; fast = fast.next; if (slow == null || fast == null) return false; fast = fast.next; cnt ++; } } }