题解 | #链表中环的入口结点#
链表中环的入口结点
https://www.nowcoder.com/practice/253d2c59ec3e4bc68da16833f79a38e4
/*class ListNode { * val: number * next: ListNode | null * constructor(val?: number, next?: ListNode | null) { * this.val = (val===undefined ? 0 : val) * this.next = (next===undefined ? null : next) * } * } */ /** * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可 * * * @param pHead ListNode类 * @return ListNode类 */ export function EntryNodeOfLoop(pHead: ListNode): ListNode { // write code here if (pHead == null) { return pHead } let slow = pHead, fast = slow while (fast !== null && fast.next !== null) { fast = fast.next.next slow = slow.next if (slow === fast) { break } } if (fast == null || fast.next == null) return null fast = pHead while (fast !== slow) { fast = fast.next slow = slow.next } return fast }
快慢指针 通过定义slow和fast指针,slow每走一步,fast走两步,若是有环,则一定会在环的某个结点处相遇(slow == fast),根据下图分析计算,可知从相遇处到入口结点的距离与头结点与入口结点的距离相同。