题目描述:
解题思路:快慢指针,若为环形链表,那么两个指针一定会在链表某处相遇,若不是环形链表,那么快指针一定会先走到空或者快指针的next指针为空
代码如下:
/**
* 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||head.next==null){
return false;
}
ListNode fast=head;
ListNode slow=head;
do{
//如快指针的next为空,直接返回false
if(fast.next==null){
return false;
}
fast=fast.next.next;
slow=slow.next;
//这里的循环结束条件为 ①快慢指针相遇 ②快指针走到链表最后,即为null
}while((slow!=fast)&&fast!=null);
//若快慢指针相等返回true
if(slow==fast){
return true;
}
return false;
}
}