问题陈述: 您将获得指向某个节点上合并在一起的两个链接列表的头节点的指针。找到发生此合并的节点。两个头节点将不同,也不会为NULL。
输入格式 您必须完成int FindMergeNode(Node * headA,Node * headB)方法,它接受两个参数 - 链表的头部。你不应该从stdin / console读取任何输入。
输出格式 找到两个列表合并的节点,并返回该节点的数据。不要在stdout / console上打印任何内容。
我试图反转两个列表,然后分别遍历每个列表,直到我到达最后一个公共节点。但经过测试,它没有给出正确的输出。 我的想法错了或我的代码错了吗?这是一个好方法还是坏方法?
我的代码:
int FindMergeNode(Node headA, Node headB) {
//Reverse listA
Node currentA = headA;
Node prevA = null;
Node NextA;
while(currentA!=null){
NextA = currentA.next;
currentA.next = prevA;
prevA = currentA;
currentA = NextA;
}
headA = prevA;
//Reverse listB
Node currentB = headB;
Node prevB = null;
Node NextB;
while(currentB!=null){
NextB = currentB.next;
currentB.next = prevB;
prevB = currentB;
currentB = NextB;
}
headB = prevB;
//Iterate throught the reversed list and find the last common node.
Node n = headA;
Node m = headB;
while(n.next!=m.next){
n = n.next;
m = m.next;
}
return n.data;
}
问题链接:https://www.hackerrank.com/challenges/find-the-merge-point-of-two-joined-linked-lists
编辑:根据karthik的回答,我修改了第三个while循环,但仍然输出错误。
//Iterate throught the reversed list and find the last common node.
Node n = headA;
Node m = headB;
while(n.next == m.next){
n = n.next;
m = m.next;
}
return n.data;
答案 0 :(得分:0)
编辑:你应该更清楚你的解释。因为merge
如果你的意思是合并价值,逆转方法是有效的。但是如果你的意思是合并实际节点,显然逆转方法不起作用,因为当你反转列表时merging point
只能有下一个指针。
A->B->C
\
I->J->K
/
X->Y
如果这是你的列表,当你反向时,肯定不能同时将C
和Y
作为你的下一个指针。因为当你反转你的树时会变成
A<-B<-C
I<-J<- K
X <-Y
但是您的I
会指向Y
或C
,具体取决于稍后会反转的内容。
另一种更简单的方法(实现方式)将节点推送到两个stack
,一旦完成所有节点,就启动pop
元素并返回最后一个节点是相同的。
Stack<Node> stackA - push all elements of listA into stackA;
Stack<Node> stackB - push all elements of listB into stackA;
Node result=null;
while(stackA.peek() == stackB.peek()){
result = stackA.pop();
stackB.pop();
}
return result;
以下说明回答了您的原始问题
我没有检查你的reversing the list
逻辑,但是那之后的while循环(第3 while
循环)肯定是错误的:
while(n.next!=m.next){
n = n.next;
m = m.next;
}
重点是 - 它应该是n.next == m.next
// ideally you should also check (n!=null && m!=null)
// it handles the case where there is no common point
while(n!=null && m!=null && n.next == m.next){
n = n.next;
m = m.next;
}
return (n == null || m == null)? null : n;
因为您想要找到不同的第一个节点并返回上一个节点。
答案 1 :(得分:0)
我也从here和我最快的解决方案中遇到了这个问题:
int FindMergeNode(Node headA, Node headB) {
int s1 = getSize(headA), s2 = getSize(headB);
for(int i = 0; i<Math.abs(s1-s2); i++){
if(s1>s2) headA = headA.next;
else headB = headB.next;
}
while(headA!=null){
if(headA==headB) return headA.data;
headA = headA.next;
headB = headB.next;
}
return 0;
}
int getSize(Node head){
int i = 0;
while(head!=null){
head = head.next;
i++;
}
return i;
}