[Linked List]Arbitrary Linked List
04 November, 2013 - 3 min read
Copy a linked list with next and arbit pointer
You are given a Double Link List with one pointer of each node pointing to the next node just like in a single link list. The second pointer however CAN point to any node in the list and not just the previous node. Now write a program in__ O(n) time __to duplicate this list. That is, write a program which will create a copy of this list.
Let us call the second pointer as arbit pointer as it can point to any arbitrary node in the linked list.
data:image/s3,"s3://crabby-images/ff061/ff061f2ae03bb12cc417ba956735c32ec5cd1106" alt="ArbitLinked List1 ArbitLinked List1"
Arbitrary pointers are shown in red and next pointers in black
Figure 1
Method 1 (Uses O(n) extra space)
This method stores the next and arbitrary mappings (of original list) in an array first, then modifies the original Linked List (to create copy), creates a copy. And finally restores the original list.
- Create all nodes in copy linked list using next pointers.
- Store the node and its next pointer mappings of original linked list.
- Change next pointer of all nodes in original linked list to point to the corresponding node in copy linked list.
Following diagram shows status of both Linked Lists after above 3 steps. The red arrow shows arbit pointers and black arrow shows next pointers.
data:image/s3,"s3://crabby-images/a51d9/a51d9c548cdc2abfc6f1cfbe15dab760d35512c2" alt="ArbitLinked List2 ArbitLinked List2"
Figure 2
- Change the arbit pointer of all nodes in copy linked list to point to corresponding node in original linked list.
- Now construct the arbit pointer in copy linked list as below and restore the next pointer of nodes in the original linked list.
copy_list_node->arbit = copy_list_node->arbit->arbit->next; copy_list_node = copy_list_node->next;
- Restore the next pointers in original linked list from the stored mappings(in step 2).
Time Complexity: O(n)
Auxiliary Space: O(n)
Method 2 (Uses Constant Extra Space)
Thanks to Saravanan Mani for providing this solution. This solution works using constant space.
- Create the copy of node 1 and insert it between node 1 & node 2 in original Linked List, create the copy of 2 and insert it between 2 & 3.. Continue in this fashion, add the copy of N afte the Nth node
- Now copy the arbitrary link in this fashion
original->next->arbitrary = original->arbitrary->next; /*TRAVERSE TWO NODES*/
This works because original->next is nothing but copy of original and Original->arbitrary->next is nothing but copy of arbitrary.
- Now restore the original and copy linked lists in this fashion in a single loop.
original->next = original->next->next; copy->next = copy->next->next;
- Make sure that last element of original->next is NULL.
Time Complexity: O(n)
Auxiliary Space: O(1)