LeetCode141---判断是否是环形链表

给定一个链表,判断链表中是否有环。

为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。

进阶:

你能用 O(1)(即,常量)内存解决此问题吗?

思路:

思路一:利用快慢指针的想法。以前在找链表中点时用过的快慢指针,如果有环的话,快指针总会和慢指针相遇。c++代码如下:

/**
 * 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) {
        ListNode *fast=head, *slow=head;
        while(fast && slow)
        {
            fast=fast->next;
            if(!fast) return false;
            fast=fast->next;
            slow=slow->next;
            if(slow== fast)  return true;
        }
        return false;
    }
};

猜你喜欢

转载自blog.csdn.net/annabelle1130/article/details/88312391
今日推荐