通过倒转列表找到两个列表的归并点



问题陈述:给你一个指针,指向两个链表的头节点,这两个链表在某个节点合并在一起。找到合并发生的节点。两个头节点将是不同的,并且都不会为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;

编辑:你的解释应该更清楚。因为通过merge,如果你指的是值的合并,反向方法是有效的。但如果你指的是合并实际的节点,显然反转方法是行不通的,因为当你反转列表时,merging point只能有下一个指针。

  A->B->C  
          
            I->J->K
          /
     X->Y

如果这是你的列表,当你反转时,你当然不能同时有CY作为你的下一个指针。因为当你把树倒过来的时候就会变成

              A<-B<-C
                       I<-J<- K
                X <-Y

但是您的I将指向YC,这取决于稍后反转哪个。

另一种更简单的方法(实现方面)是将节点推入两个stack s,一旦完成所有节点开始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循环之后(第三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;

,因为您想找到第一个不同的节点并返回前一个节点。

我也有这个问题,从这里和我最快的解决方案:

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;
}

相关内容

  • 没有找到相关文章

最新更新