编写一个程序,找到两个单链表相交的起始节点。
如下面的两个链表:
在节点 c1 开始相交。
示例 1:
输入:intersectVal = 8, listA = [4,1,8,4,5], listB = [5,0,1,8,4,5], skipA = 2, skipB = 3
输出:Reference of the node with value = 8
输入解释:相交节点的值为 8 (注意,如果两个链表相交则不能为 0)。从各自的表头开始算起,链表 A 为 [4,1,8,4,5],链表 B 为 [5,0,1,8,4,5]。在 A 中,相交节点前有 2 个节点;在 B 中,相交节点前有 3 个节点。
思路:1、先是否相交 2、链接一起遍历,从而获取相交节点
<?php/*** @param ListNode $headA* @param ListNode $headB* @return ListNode*/function getIntersectionNode($headA, $headB) {if($headA == null || $headB == null){return null;}//先判断是否相交,不相交直接返回if(!$this->isIntersect($headA, $headB)){return null;}//若相交再找交叉点:分别遍历,并指向另一链表的头,这样遍历的长度相等$cura = $headA;$curb = $headB;while($cura || $curb){if($cura === $curb){break;}$cura = $cura == null ? $headB : $cura->next;$curb = $curb == null ? $headA : $curb->next;}return $cura;}//判断是否相交function isIntersect($headA, $headB){if($headB == null || $headB == null){return false;}while($headA->next != null){$headA = $headA->next;}while($headB->next != null){$headB = $headB->next;}return $headA === $headB;}
```
