Remove duplicates from sorted list
August 30, 2022
linked-listProblem URL: Remove duplicates from sorted list
We will check the current value to the next node value, if they are equal, we remove the current one, and move on till the end of the list.
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def deleteDuplicates(self, head: Optional[ListNode]) -> Optional[ListNode]:
cur = head
while cur and cur.next:
if cur.val == cur.next.val:
cur.next = cur.next.next
else:
cur = cur.next
return head
Time Complexity: O(n)
Space Complexity: O(1)