141题:判断链表是不是存在环!
// 不能使用额外的存储空间
public boolean hasCycle(ListNode head) {
// 如果存在环的 两个指针用不一样的速度 会相遇
ListNode fastNode = head;
ListNode slowNode = head;
while (fastNode != null && fastNode.next != null) {
fastNode = fastNode.next.next;
slowNode = slowNode.next;
if (fastNode == slowNode) {
return true;
}
}
return false;
}
142 给定一个链表,返回链表环开始的地方,如果没有环,就返回空。
思路:链表头结点到链表环开始的地方的步数和两个链表相遇的地方到链表开始的地方的步数是一样多的!
// 如果有环,相遇的时候与起点相差的步数等于从head到起点的步数
public ListNode detectCycle(ListNode head) {
ListNode pre = head;
ListNode slow = head;
ListNode fast = head;
while (fast != null && fast.next != null) {
fast = fast.next.next;
slow = slow.next;
if (slow == fast) {
while (pre != slow) {
slow = slow.next;
pre = pre.next;
}
return pre;
}
}
return null;
}