Removing Duplicates from a List
Procedure to remove duplicate nodes from a linked list.
Procedure :
void removeDuplicates(struct node *ptr) {
while (ptr -> next != NULL) {
// If data of the two nodes are same
if (ptr -> data == ptr -> next -> data) {
// Pointer for the node to be deleted
struct node *toDelete = ptr -> next;
// Replace the links
ptr -> next = toDelete -> next;
// Deallocate the memory
free(toDelete);
}
// IMPORTANT : Advance only if no deletion
else {
ptr = ptr -> next;
}
}
}Last updated