解题方案:C++
方案一:采用快慢指针的方式进行遍历,时间复杂度o(n),空间复杂度o(1)
方案二:采用无序集合对每一个结点进行存储,如果出现重复结点则证明是环形链表,时间复杂度o(n),空间复杂度o(n)
/**
* 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 || head->next==NULL)return false;
//利用快慢指针进行解决
ListNode* temp1 = head;
ListNode* temp2 = head;
while(temp2 && temp1){
//慢指针
temp1 = temp1->next;
//防止出现空指针异常
if(temp2->next){
//快指针
temp2 = (temp2->next)->next;
}else{
return false;
}
if(temp1==temp2)return true;
}
return false;
}
};
//方案二
class Solution {
public:
bool hasCycle(ListNode *head) {
unordered_set<ListNode*> seen;
while (head != nullptr) {
//如果有重复的值返回1,否则返回0
if (seen.count(head)) {
return true;
}
seen.insert(head);
head = head->next;
}
return false;
}
};