其他分享
首页 > 其他分享> > LeetCode 0082 Remove Duplicates from Sorted List II

LeetCode 0082 Remove Duplicates from Sorted List II

作者:互联网

原题传送门

1. 题目描述

2. Solution 1

1、思路分析
递归写法。
1> 递归出口。遍历到链表的末尾,直接返回当前遍历结点。
2> 规模递减。如果当前结点值与其后继结点值不相等,处理后继结点,把处理结果挂到当前结点后面。如果当前结点与其后继结点相等,遍历链表,找到不重复的结点,处理不重复的结点。

2、代码实现

package Q0099.Q0082RemoveDuplicatesfromSortedListII;

import DataStructure.ListNode;

class Solution1 {
    public ListNode deleteDuplicates(ListNode head) {
        if (head == null || head.next == null)
            return head;

        if (head.val != head.next.val) {
            head.next = deleteDuplicates(head.next);
            return head;
        } else {
            while (head.next != null && head.val == head.next.val) head = head.next;
            return deleteDuplicates(head.next);
        }
    }
}

3、复杂度分析
时间复杂度: O(n)
空间复杂度: O(1)

3. Solution2

1、思路分析
思路同递归法。
2、代码实现

package Q0099.Q0082RemoveDuplicatesfromSortedListII;

import DataStructure.ListNode;

public class Solution2 {
    public ListNode deleteDuplicates(ListNode head) {
        if (head == null || head.next == null) return head;
        ListNode dummy = new ListNode(Integer.MAX_VALUE, head);
        ListNode prev = dummy;
        while (prev != null && prev.next != null) {
            ListNode cur = prev.next;
            if (cur.next == null || cur.next.val != cur.val) prev = cur;
            else {
                while (cur.next != null && cur.next.val == cur.val) cur = cur.next;  // 找到重复值的最后一个结点
                prev.next = cur.next;  // 删除重复结点
            }
        }
        return dummy.next;
    }
}

3、复杂度分析
时间复杂度: O(n)
空间复杂度: O(1)

标签:head,ListNode,cur,Duplicates,List,结点,Remove,next,null
来源: https://www.cnblogs.com/junstat/p/16197460.html