LeetCode 0083.删除排序链表中的重复元素:模拟

【LetMeFly】83.删除排序链表中的重复元素:模拟

力扣题目链接:https://leetcode.cn/problems/remove-duplicates-from-sorted-list/

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

 

示例 1:

LeetCode 0083.删除排序链表中的重复元素:模拟_第1张图片
输入:head = [1,1,2]
输出:[1,2]

示例 2:

LeetCode 0083.删除排序链表中的重复元素:模拟_第2张图片
输入:head = [1,1,2,3,3]
输出:[1,2,3]

 

提示:

  • 链表中节点数目在范围 [0, 300]
  • -100 <= Node.val <= 100
  • 题目数据保证链表已经按升序 排列

方法一:模拟

当前节点下一个节点都非空时:

  • 如果当前节点下一个节点值相同,就删掉下一个节点now->next = now->next->next
  • 否则,当前节点后移(now = now->next

最终返回传入的头节点即可。

  • 时间复杂度 O ( l e n ( n o d e l i s t ) ) O(len(nodelist)) O(len(nodelist))
  • 空间复杂度 O ( 1 ) O(1) O(1)

AC代码

C++
class Solution {
public:
    ListNode* deleteDuplicates(ListNode* head) {
        ListNode* ans = head;
        while (head && head->next) {
            if (head->val == head->next->val) {
                head->next = head->next->next;  // haven't delete node
            }
            else {
                head = head->next;
            }
        }
        return ans;
    }
};
Python
# from typing import Optional

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

class Solution:
    def deleteDuplicates(self, head: Optional[ListNode]) -> Optional[ListNode]:
        ans = head
        while head and head.next:
            if head.val == head.next.val:
                head.next = head.next.next
            else:
                head = head.next
        return ans

同步发文于CSDN,原创不易,转载经作者同意后请附上原文链接哦~
Tisfy:https://letmefly.blog.csdn.net/article/details/135581000

你可能感兴趣的:(题解,#,力扣LeetCode,leetcode,链表,算法,题解)