2024.1.14每日一题

发布时间:2024年01月14日

LeetCode

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

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

题目描述

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

示例 1:

img

输入:head = [1,1,2]
输出:[1,2]

示例 2:

img

输入:head = [1,1,2,3,3]
输出:[1,2,3]

提示:

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

思路

由提示可知,链表已经按升序排列,所以我们只需要对链表进行一次遍历,就可以删除重复的元素。

代码

C++
class Solution {
public:
    ListNode* deleteDuplicates(ListNode* head) {
        if(head == nullptr){
            return head;
        }

        ListNode* cur = head;

        while(cur->next){
            if(cur->val == cur->next->val){
                cur->next = cur->next->next;
            }
            else{
                cur = cur->next;
            }
        }
        return head;
    }
};
Java
class Solution {
    public ListNode deleteDuplicates(ListNode head) {
        if(head == null){
            return null;
        }

        ListNode cur = head;

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

image-20240114111148723

image-20240114111204515

文章来源:https://blog.csdn.net/ysk_0904/article/details/135580900
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。