Wednesday, 9 December 2015

Compare two linked lists

Problem Statement
This challenge is part of a tutorial track by MyCodeSchool
You’re given the pointer to the head nodes of two linked lists. Compare the data in the nodes of the linked lists to check if they are equal. The lists are equal only if they have the same number of nodes and corresponding nodes contain the same data. Either head pointer given may be null meaning that the corresponding list is empty.
Input Format 
You have to complete the int CompareLists(Node* headA, Node* headB) method which takes two arguments - the heads of the two linked lists to compare. You should NOT read any input from stdin/console.
Output Format 
Compare the two linked lists and return 1 if the lists are equal. Otherwise, return 0. Do NOT print anything to stdout/console.
Sample Input
NULL, 1 --> NULL 
1 --> 2 --> NULL, 1 --> 2 --> NULL
Sample Output
0
1
Explanation 
1. We compare an empty list with a list containing 1. They don't match, hence return 0. 
2. We have 2 similar lists. Hence return 1.
Copyright © 2015 HackerRank.
All Rights Reserved


  • ITERATIVE


/*
  Compare two linked lists A and B
  Return 1 if they are identical and 0 if they are not. 
  Node is defined as 
  struct Node
  {
     int data;
     struct Node *next;
  }
*/
int CompareLists(Node *headA, Node* headB)
{
  // This is a "method-only" submission. 
  // You only need to complete this method 
    Node *tmpA = headA, *tmpB = headB;
    while(tmpA != NULL && tmpB != NULL)
        {
        if(tmpA -> data != tmpB -> data)
            return 0;
        else
            {
            tmpA = tmpA -> next;
            tmpB = tmpB -> next;
        }
    }
    if(tmpA == NULL && tmpB == NULL)
        return 1;
    else
        return 0;
}


  • RECURSIVE

/*
  Compare two linked lists A and B
  Return 1 if they are identical and 0 if they are not. 
  Node is defined as 
  struct Node
  {
     int data;
     struct Node *next;
  }
*/
int CompareLists(Node *headA, Node* headB)
{
  // This is a "method-only" submission. 
  // You only need to complete this method 
    if(headA == NULL && headB == NULL)
        return 1;
    if(headA != NULL && headB != NULL)
        {
        if(headA -> data != headB -> data)
            return 0;
        else 
            return CompareLists(headA -> next , headB -> next);
    }
    else
        return 0;
}

No comments:

Post a Comment