If you have any query feel free to chat us!
Happy Coding! Happy Learning!
Sure! Here's the Python code to remove duplicates from a sorted singly linked list:
pythonCopy code
class Node: def __init__(self, data): self.data = data self.next = None class LinkedList: def __init__(self): self.head = None def append(self, data): new_node = Node(data) if not self.head: self.head = new_node else: current = self.head while current.next: current = current.next current.next = new_node def remove_duplicates(self): if not self.head: return current = self.head while current.next: if current.data == current.next.data: current.next = current.next.next else: current = current.next def display(self): current = self.head while current: print(current.data, end=" -> ") current = current.next print("None") # Example usage: if __name__ == "__main__": linked_list = LinkedList() # Append elements to create the sorted linked list with duplicates linked_list.append(1) linked_list.append(1) linked_list.append(2) linked_list.append(2) linked_list.append(3) linked_list.append(4) linked_list.append(4) print("Original Linked List:") linked_list.display() linked_list.remove_duplicates() print("Linked List after removing duplicates:") linked_list.display()
In this code, we have implemented the
Node
andLinkedList
classes. TheLinkedList
class has aremove_duplicates
method that removes duplicates from the sorted linked list.We then create a linked list object and use the
append
method to add elements (1, 1, 2, 2, 3, 4, and 4) to create the sorted linked list with duplicates. We then call theremove_duplicates
method to remove duplicates from the linked list.The output will be:
rustCopy code
Original Linked List: 1 -> 1 -> 2 -> 2 -> 3 -> 4 -> 4 -> None Linked List after removing duplicates: 1 -> 2 -> 3 -> 4 -> None
The linked list is modified to remove the consecutive duplicates, resulting in the final linked list with elements 1, 2, 3, and 4.
Start the conversation!
Be the first to share your thoughts
Quick answers to common questions about our courses, quizzes, and learning platform