LeetCode-83. 删除排序链表中的重复元素

给定一个已排序的链表的头 head , 删除所有重复的元素,使每个元素只出现一次 。返回 已排序的链表 。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/flood-fill
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

 public ListNode deleteDuplicates(ListNode head) {
        if(head == null) {
            return head;
        }
        ListNode cur = head;
        ListNode next = cur.next;
        // 遍历整个链表
        while (next != null) {
            // 如果当前的值和下一个链表的值相等,那么就删除掉当前链表的下一个链表
            if(cur.val == next.val) {
                cur.next = next.next;
            }
            // 如果当前的链表和下一个链表的值不同,那么就将当前的链表指向改变
            if(cur.val != next.val) {
                cur = cur.next;
            }
            next = next.next;
        }
        return head;
    }

LeetCode-83. 删除排序链表中的重复元素_第1张图片

你可能感兴趣的:(LeetCode刷题,链表,leetcode,数据结构)