If you have any query feel free to chat us!
Happy Coding! Happy Learning!
Sure! Let's implement the code to check if a singly linked list is sorted in ascending order using Python:
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 is_sorted(self): if not self.head or not self.head.next: return True current = self.head while current.next: if current.data > current.next.data: return False current = current.next return True 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 linked list linked_list.append(1) linked_list.append(3) linked_list.append(5) linked_list.append(7) print("Original Linked List:") linked_list.display() if linked_list.is_sorted(): print("The linked list is sorted.") else: print("The linked list is not sorted.")
In this code, we have implemented the
Node
andLinkedList
classes. TheLinkedList
class has anis_sorted
method that checks whether the linked list is sorted in ascending order.We then create a linked list object and use the
append
method to add elements (1, 3, 5, and 7) to create the sorted linked list. We then call theis_sorted
method to check if the linked list is sorted.The output will be:
rustCopy code
Original Linked List: 1 -> 3 -> 5 -> 7 -> None The linked list is sorted.
The linked list is sorted in ascending order since all the elements are in the correct position.
Start the conversation!
Be the first to share your thoughts
Quick answers to common questions about our courses, quizzes, and learning platform