编写一个程序,找到两个单链表相交的起始节点。
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
//相交链表
struct ListNode *getIntersectionNode(struct ListNode *headA, struct ListNode *headB) {
struct ListNode *a=headA, *b=headB;
int len_a=0, len_b=0;
while(a){
a=a->next;
len_a++;
}
while(b){
b=b->next;
len_b++;
}
a=headA;
b=headB;
while(len_a!=len_b){
if(len_a>len_b){
a=a->next;
len_a--;
}else if(len_a<len_b){
b=b->next;
len_b--;
}
}
while(a&&b){
if(a==b){
return a;
}else{
a=a->next;
b=b->next;
}
}
return NULL;
}
原文:https://www.cnblogs.com/karkinos/p/14488212.html