欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)

程序员文章站 2022-06-18 10:34:39
...

141. 环形链表


LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)
LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)
LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)


对访问过的节点标记一下:

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

LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)


快慢指针:

class Solution {
public:
    bool hasCycle(ListNode* head) {
        if (head == nullptr || head->next == nullptr) {
            return false;
        }
        ListNode* slow = head;
        ListNode* fast = head->next;
        while (slow != fast) {
            if (fast == nullptr || fast->next == nullptr) {
                return false;
            }
            slow = slow->next;
            fast = fast->next->next;
        }
        return true;
    }
};

LeetCode每日一题 (36) 141. 环形链表(找循环:快慢指针)