第三十九天 Remove Duplicates from Sorted List

昨天身体实在不舒服,又间断了一天

好,今天继续链表题目

https://leetcode-cn.com/problems/remove-duplicates-from-sorted-list/description/

删除一个排序列表里的重复元素

这道题,恰恰是因为排序后,重复元素一定是“相邻”的,所以事情就简单咯

删除链表节点的方法还是知道该节点的前一个节点,然后将他前一个节点的next指向这个节点的next,这句话确实有点“绕”。

但道理就是这么个道理。

# Definition for singly-linked list.
# class ListNode:
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution:
    def deleteDuplicates(self, head):
        """
        :type head: ListNode
        :rtype: ListNode
        """
        if head == None:
            return head
        cur = head
        while cur.next != None:
            if cur.val == cur.next.val:
                cur.next = cur.next.next
            else:
                cur = cur.next
        return head

你可能感兴趣的:(第三十九天 Remove Duplicates from Sorted List)