涉及的知识点
链表
题目描述
输入两个无环的单链表,找出它们的第一个公共结点。(注意因为传入数据是链表,所以错误测试数据的提示是用其他方式显示的,保证传入数据是正确的)
输入:
解题思路一
暴力解法,两个指针,一个遍历第一个链表,一个遍历另一个链表。如果在第二个链表上有一个结点和第一个链表上的结点一样,说明两个链表在这个结点上重合,于是就找到了它们的公共结点。如果第一个链表的长度为m,第二个链表的长度为n,显然该方法的时间复杂度是O(mn)。
解题思路二
要找相同的节点,最好的办法就是从末尾开始遍历,如果有相同的就继续,知道不等为止,但是链表只能从头开始遍历,这时我们就想到开辟新的空间,使用栈,将两个链表存入栈中,如果栈顶相等就弹出,继续比较栈顶,直到不等为止。
代码
import java.util.Stack;
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}*/
public class Solution {
public ListNode FindFirstCommonNode(ListNode pHead1, ListNode pHead2) {
if (pHead1 == null || pHead2 == null) {
return null;
}
Stack<ListNode> stack1 = new Stack<>();
Stack<ListNode> stack2 = new Stack<>();
while (pHead1 != null) {
stack1.push(pHead1);
pHead1 = pHead1.next;
}
while (pHead2 != null) {
stack2.push(pHead2);
pHead2 = pHead2.next;
}
ListNode commonListNode = null;
while (!stack1.isEmpty() && !stack2.isEmpty() && stack1.peek() == stack2.peek() ) {
stack2.pop();
commonListNode = stack1.pop();;
}
return commonListNode;
}
}
复杂度
时间复杂度:O(m+n)
空间复杂度:O(m+n)
解题思路三
不借用外部空间,因为两个链表的长度不一致,假设a链表长度为a,b链表长度为b,公共部分为c,长度差为|a-b|,谁长就先让谁走几步,然后同时遍历两个链表,直到找到第一个相同节点为止。
代码
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}*/
public class Solution {
public ListNode FindFirstCommonNode(ListNode pHead1, ListNode pHead2) {
int length1=0;
int length2=0;
ListNode head1=pHead1;
while(head1!=null){
length1++;
head1=head1.next;
}
ListNode head2=pHead2;
while(head2!=null){
length2++;
head2=head2.next;
}
ListNode fast;
ListNode slow;
int sub;
if(length1>length2){
sub=length1-length2;
fast=pHead1;
slow=pHead2;
}else{
sub=length2-length1;
fast=pHead2;
slow=pHead1;
}
while(sub>0){
fast=fast.next;
sub--;
}
while(fast!=slow){
fast=fast.next;
slow=slow.next;
}
return fast;
}
}
复杂度
时间复杂度:O(m+n)
空间复杂度:O(1)
解题思路四(大佬的想法,很妙)
链表A:3->5->1->8->2->0;
链表B:6->8->2->0;
链表A、B第一个公共节点是8,使用双指针遍历,遍历同时遍历;
链表A+B:3->5->1->8->2->0 + 6->8->2->0;
链表B+A:6->8->2->0 + 3->5->1->8->2->0;
可以看到两个指针会同时到最后一个8节点;
代码
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}*/
public class Solution {
public ListNode FindFirstCommonNode(ListNode pHead1, ListNode pHead2) {
if(pHead1==null||pHead2==null){
return null;
}
ListNode p1=pHead1;
ListNode p2=pHead2;
while(p1!=p2){
p1=p1.next;
p2=p2.next;
if(p1==null&&p2==null){
return null;
}
if(p1==null) p1=pHead2;
if(p2==null) p2=pHead1;
}
return p1;
}
}
复杂度
时间复杂度:O(m+n)
空间复杂度:O(1)