Write a program to find the node at which the intersection of two singly linked lists begins.node
For example, the following two linked lists:code
A: a1 → a2 ↘ c1 → c2 → c3 ↗ B: b1 → b2 → b3
begin to intersect at node c1.get
Notes:it
null
.public ListNode getIntersectionNode(ListNode headA, ListNode headB) { //boundary check if(headA == null || headB == null) { return null; } ListNode a = headA; ListNode b = headB; //這麼寫仍是有點趣的,由於查完A list而後接着是 Blist,那麼這樣就能夠不用考慮長度不等啦 while( a != b){ a = a == null? headB : a.next; b = b == null? headA : b.next; } return a; } public ListNode getIntersectionNode2(ListNode headA, ListNode headB) { if(headA==null || headB==null) { return null; } Set<ListNode> set = new HashSet<ListNode>(); ListNode a = headA; ListNode b = headB; while(a!=null) { set.add(a); a=a.next; } while(b!=null) { if(set.contains(b)) { return b; } b = b.next; } return null; }