用一个简单的办法去解决:快慢指针
如果有环有下面2种情况:
data:image/s3,"s3://crabby-images/ee9b1/ee9b1cfdd30c3354aabfe7bb9f34787bb6f9ec3f" alt=""
data:image/s3,"s3://crabby-images/b1fce/b1fce738622c51e6f1171379a82cc0895f224d2b" alt=""
图1 快慢指针过程
fast->2->4->6->3->5
slow->1->2->3->4->5
变成代码
function isCheckRings($head)
{
$fast = $head;
$slow = $head;
while ($fast !== null && $fast->next !== null) {
$fast = $fast->next->next;
$slow = $slow->next;
if ($fast === $slow) {
return true;
}
}
return false;
}
查找环入口
先判断单链表是否有环,让快指针变成每次走一步,当快慢指针在次相遇,也就是环入口了。
变成代码
function findRings($head)
{
$fast = $head;
$slow = $head;
// 先判断是否有环
while ($fast != null && $fast->next !== null) {
$fast = $fast->next->next;
$slow = $slow->next;
if ($fast === $slow) {
break;
}
}
if ($fast === null || $fast->next === null) {
return false;
}
$fast = $head;
while ($fast !== $slow) {
$fast = $fast->next;
$slow = $slow->next;
}
return $fast->data;
}
网友评论