Remove Duplicates from Sorted List
Question
Given a sorted linked list, delete all duplicates such that each element appear only once.
Solution
"""
Definition of ListNode
class ListNode(object):
def __init__(self, val, next=None):
self.val = val
self.next = next
"""
class Solution:
"""
@param head: A ListNode
@return: A ListNode
"""
def deleteDuplicates(self, head):
# write your code here
if not head:
return None
dummy = head
while head.next:
if head.val == head.next.val:
head.next = head.next.next
else:
head = head.next
return dummy