其他分享
首页 > 其他分享> > Leetcode练习 快慢指针

Leetcode练习 快慢指针

作者:互联网

文章目录


141.环形链表

当head为空时,返回false;
设置两个指针,一个快指针,一个慢指针;
如果快照快指针先指到NULL,则链表中没有环;
如果链表中有环,两个指针最后一定会相遇。

代码实现:

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

142.环形链表2

代码:

class Solution {
public:
    ListNode *detectCycle(ListNode *head) {
        ListNode *slow=head;
        ListNode *fast=head;
        ListNode *p=NULL;
        while(slow && fast && fast->next){
            slow=slow->next;
            fast=fast->next->next;
            if(slow==fast) {
                p=slow;
                break;
            }
        }
        while(p && head){
             if(p==head) break;
             head=head->next;
             p=p->next;
        }
        return p;
    }
};

标签:快慢,head,slow,ListNode,fast,next,链表,Leetcode,指针
来源: https://blog.csdn.net/m0_50939852/article/details/123120099