Given a linked list, determine if it has a cycle in it.
Follow up:
Can you solve it without using extra space?
題意:判斷一個鏈表中是否存在環(huán)。follow up要求能否不用額外空間盖高。
思路:
如果可以用額外空間欢瞪,那么用一個HashSet記錄已經(jīng)遍歷過的ListNode,如果當前遍歷到的ListNode存在于HashSet痊剖,就存在一個環(huán)况凉。
不用額外空間的方法,是用一個慢指針、一個快指針嚷往,慢指針一次移動一步、快指針一次移動兩步柠衅,如果存在環(huán)皮仁,那么快慢指針遲早會相遇。
public boolean hasCycle(ListNode head) {
if (head == null) {
return false;
}
ListNode slow = head;
ListNode fast = head.next;
while (fast != null && fast.next != null) {
if (slow == fast) {
return true;
}
slow = slow.next;
fast = fast.next.next;
}
return false;
}