写点什么

leetcode141. 环形链表

用户头像
Damien
关注
发布于: 2020 年 05 月 05 日

https://leetcode-cn.com/problems/linked-list-cycle/

描述

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



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



思路

使用快慢指针法,如果有环,那么快慢一定会相遇。

代码

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



发布于: 2020 年 05 月 05 日阅读数: 42
用户头像

Damien

关注

海阔凭鱼跃,天高任鸟飞 2020.02.28 加入

一个有趣的工程师。

评论

发布
暂无评论
leetcode141. 环形链表