LeetCodeAnimation/0141-Linked-List-Cycle/Article/0141-Linked-List-Cycle.md
程序员吴师兄 f104850874 整理文件
2020-04-17 15:39:41 +08:00

83 lines
2.1 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# 使用快慢指针求解环形链表so easy
> 本文首发于公众号图解面试算法 [图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>) 系列文章之一。
>
> 同步博客https://www.algomooc.com
今天分享的题目来源于 LeetCode 上第 141 号问题环形链表题目难度为 Easy目前通过率为 40.4%
使用快慢指针的方式去求解 **so easy**
### 题目描述
给定一个链表判断链表中是否有环
为了表示给定链表中的环我们使用整数 `pos` 来表示链表尾连接到链表中的位置索引从 0 开始 如果 `pos` `-1`则在该链表中没有环
**示例 1**
```
输入head = [3,2,0,-4], pos = 1
输出true
解释链表中有一个环其尾部连接到第二个节点
```
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/vweoq.png)
**示例 2**
```
输入head = [1,2], pos = 0
输出true
解释链表中有一个环其尾部连接到第一个节点
```
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/kxbrz.png)
**示例 3**
```
输入head = [1], pos = -1
输出false
解释链表中没有环
```
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/w3vsg.png)
**进阶**
你能用 O(1)常量内存解决此问题吗
### 题目解析
这道题是快慢指针的**经典应用**
设置两个指针一个每次走一步的**慢指针**和一个每次走两步的**快指针**
* 如果不含有环跑得快的那个指针最终会遇到 null说明链表不含环
* 如果含有环快指针会超慢指针一圈和慢指针相遇说明链表含有环
### 动画描述
![](../Animation/Animation.gif)
### 代码实现
```java
//author:程序员小吴
public class Solution {
public boolean hasCycle(ListNode head) {
ListNode slow = head, fast = head;
while (fast != null && fast.next != null) {
slow = slow.next;
fast = fast.next.next;
if (slow == fast) return true;
}
return false;
}
}
```
![](../../Pictures/qrcode.jpg)