判断链表中的环Floyd

2018-12-08  本文已影响21人  ab029ac3022b

问题源于 leetcode 中的一道题:
给定一个链表,返回链表开始入环的第一个节点。 如果链表无环,则返回 null。
就比方说下面这个图,就是返回那个红色的点


链表的数据结构:
class ListNode {
    int val;
    ListNode next;
    ListNode(int x) {
        val = x;
        next = null;
    }
}

算法介绍

算法代码

public class Solution {
            //这里给出的是链表的头节点
            public ListNode detectCycle(ListNode head) {
                ListNode slow = head;
                ListNode fast = head;
                while (fast!=null && fast.next!=null){
                    fast = fast.next.next;
                    slow = slow.next;
                    
                    if (fast == slow){
                        ListNode slow2 = head; 
                        while (slow2 != slow){
                            slow = slow.next;
                            slow2 = slow2.next;
                        }
                        return slow;
                    }
                }
                return null;
            }
        }

源代码出自:https://leetcode.com/problems/linked-list-cycle-ii/discuss/44774/Java-O(1)-space-solution-with-detailed-explanation.

上一篇下一篇

猜你喜欢

热点阅读