美文网首页
[Leetcode] 54. Remove Duplicates

[Leetcode] 54. Remove Duplicates

作者: 时光杂货店 | 来源:发表于2017-03-21 11:33 被阅读5次

    题目

    Given a sorted linked list, delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list.

    For example,
    Given 1->2->3->3->4->4->5, return 1->2->5.
    Given 1->1->1->2->3, return 2->3.

    解题之法

    /**
     * Definition for singly-linked list.
     * struct ListNode {
     *     int val;
     *     ListNode *next;
     *     ListNode(int x) : val(x), next(NULL) {}
     * };
     */
    class Solution {
    public:
        ListNode *deleteDuplicates(ListNode *head) {
            if (!head || !head->next) return head;
            
            ListNode *start = new ListNode(0);
            start->next = head;
            ListNode *pre = start;
            while (pre->next) {
                ListNode *cur = pre->next;
                while (cur->next && cur->next->val == cur->val) cur = cur->next;
                if (cur != pre->next) pre->next = cur->next;
                else pre = pre->next;
            }
            return start->next;
        }
    };
    

    分析

    和之前那道Remove Duplicates from Sorted List不同的地方是这里要删掉所有的重复项,由于链表开头可能会有重复项,被删掉的话头指针会改变,而最终却还需要返回链表的头指针。所以需要定义一个新的节点,然后链上原链表,然后定义一个前驱指针和一个现指针,每当前驱指针指向新建的节点,现指针从下一个位置开始往下遍历,遇到相同的则继续往下,直到遇到不同项时,把前驱指针的next指向下面那个不同的元素。如果现指针遍历的第一个元素就不相同,则把前驱指针向下移一位。

    相关文章

      网友评论

          本文标题:[Leetcode] 54. Remove Duplicates

          本文链接:https://www.haomeiwen.com/subject/senwnttx.html