🌗 141. 环形链表
2022年6月20日
- algorithm
🌗 141. 环形链表
难度: 🌗
问题描述
解法
/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
public class Solution {
public boolean hasCycle(ListNode head) {
// 思路:
// 快慢指针 - 若有环总会相遇
// 特殊情况特判
if(head == null) {
return false;
}
// head != null
ListNode slow = head;
ListNode fast = head.next;
while(fast != null && fast.next != null) {
if(slow == fast) {
return true;
} else {
slow = slow.next;
fast = fast.next.next;
}
}
return false;
}
}