天天看點

LeetCode-LinkedList-141. Linked List Cycle

問題:https://leetcode.com/problems/linked-list-cycle/

Given a linked list, determine if it has a cycle in it.

分析:如果無環,周遊連結清單将會走到NULL的位置。如果有環,用兩個指針,fast和slow。fast一次走兩步,slow一次走一步。fast先出發,slow後出發。再把slow看成在前面,那fast就是在追趕它,每次追一步,如果有環必定會相遇。

代碼:

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    bool hasCycle(ListNode *head) {
        if(head==NULL)   return false;
        ListNode *show=head;
        ListNode *fast=head;
        while(true)
        {
            if(show->next!=NULL)
                show=show->next;
            else
                return false;
            if(fast->next!=NULL && fast->next->next!=NULL)    
                fast=fast->next->next;
            else
                return false;    
            if(show==fast) 
                return true;
        }
        return false;
    }
};