LeetCode 141, 142. Linked List Cycle I+II

Posted 約束の空

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode 141, 142. Linked List Cycle I+II相关的知识,希望对你有一定的参考价值。

判断链表有没有环,用Floyd Cycle Detection算法,用两个快慢指针。

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

 

142是141的进阶,需要额外判断环的起点。

详见 https://leetcode.com/problems/linked-list-cycle-ii/solution/ 中的推导,不过里面应该是 F=(n-1)(a+b)+b,因此从head和相遇点开始同时走,一定会在循环起点相遇。

class Solution {
public:
    ListNode *detectCycle(ListNode *head) {
        if (!head) return NULL;
        ListNode *slow, *fast;
        slow = fast = head;
        do{
            if (!fast || !fast->next) return NULL;
            slow = slow->next;
            fast = fast->next->next;
        }while(slow!=fast);
        
        ListNode *p=head, *q=slow;
        while(p!=q){
            p = p->next;
            q = q->next;
        };
        return p;    
    }
};

 

以上是关于LeetCode 141, 142. Linked List Cycle I+II的主要内容,如果未能解决你的问题,请参考以下文章

leetcode 141 142. Linked List Cycle

LeetCode 141, 142. Linked List Cycle I+II

leetcode 141 142 Linked List Cycle I/II

算法分析如何理解快慢指针?判断linked list中是否有环找到环的起始节点位置。以Leetcode 141. Linked List Cycle, 142. Linked List Cycl(代码

LeetCode 142. Linked List Cycle II

leetcode-142. Linked List Cycle II