思路:快慢指针。注意while循环的判断条件fast->next!=nullptr,以及在slow和fast移动的过程中,首先要判断next是否为空。

/**
 * 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==nullptr) return false;
        ListNode* slow=head;
        ListNode* fast=head;
        while(fast->next!=nullptr){
            if(slow->next) slow=slow->next;
            if(fast->next->next) fast=fast->next->next;
            else break;
            if(slow==fast) return true;
        }
        return false;
    }
};