[leetcode/lintcode 题解] Amazon 面试题:带环链表

给定一个链表,判断它是否有环。
 
在线评测地址:领扣题库官网
 
 
样例 1:
        输入: 21->10->4->5,  then tail connects to node index 1(value 10).
        输出: true
样例 2:
        输入: 21->10->4->5->null
        输出: false
 
题解
快慢指针的经典题。 快指针每次走两步,慢指针一次走一步。 在慢指针进入环以后,快慢指针之间的距离每次缩小1,因此最终能相遇。
 
public class Solution {
    public Boolean hasCycle(ListNode head) {
        if (head == null || head.next == null) {
            return false;
        }
 
        ListNode fast, slow;
        fast = head.next;
        slow = head;
        while (fast != slow) {
            if(fast==null || fast.next==null)
                return false;
            fast = fast.next.next;
            slow = slow.next;
        } 
        return true;
    }
}
 
更多题解参考:九章官网solution
相关文章
相关标签/搜索