https://leetcode.cn/problems/intersection-of-two-linked-lists-lcci/
题面
给你两个单链表的头节点 headA 和 headB ,请你找出并返回两个单链表相交的起始节点。如果两个链表没有交点,返回 null 。
图示两个链表在节点 c1 开始相交:

题目数据 保证 整个链式结构中不存在环。
注意,函数返回结果后,链表必须 保持其原始结构 。
思路① 先行移动长链表实现同步移动
注意,是求两个链表交点节点的指针,不是数值相等,而是指针相等。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41
| public ListNode getIntersectionNode(ListNode headA, ListNode headB) { listNode curA = headA; listNode curB = headB; int lenA = 0, lenB = 0; while (curA != null) { lenA++; curA = curA.next; } while (curB != null) { lenB++; curB = curB.next; } curA = headA; curB = headB; if (lenB > lenA) { int tmpLen = lenA; lenA = lenB; lenB = tmpLen; ListNode tmpNode = curA; curA = curB; curB = tmpNode; } int gap = lenA - lenB; while (gap-- > 0) { curA = curA.next; } while (curA != null) { if (curA == curB) { return curA; } curA = curA.next; curB = curB.next; } return null; }
|
思路② 合并链表实现同步移动
1 2 3 4 5 6 7 8 9 10 11 12 13
| public ListNode getIntersectionNode(ListNode headA, ListNode headB) { ListNode p1 = headA, p2 = headB; while (p1 != p2) { if (p1 == null) p1 = headB; else p1 = p1.next; if (p2 == null) p2 = headA; else p2 = p2.next; } return p1; }
|