/** * 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) { // 设置两个指针,一个慢指针slow、一个快指针fast; // 慢指针每次先前移动一个位置,快指针每次向前启动两个位置(每次移动一个位置并判断是否到链表末尾) // 如果两个指针再次相遇,那么说明链表有环 ListNode* slow = head; ListNode* fast = head; while(slow && fast){ slow = slow->next; fast = fast->next; if(fast) fast = fast->next; else break; if(slow == fast) return true; } return false; } };