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


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

    示例 1:

    输入: 1->1->2
    输出: 1->2
    

    示例 2:

    输入: 1->1->2->3->3
    输出: 1->2->3

    解法一:使用一个map或者set来记录已经出现过的节点。然后在遍历的过程中如果发现该节点在map里就删除,否则就添加进map
    class Solution {
        public ListNode deleteDuplicates(ListNode head) {
            if(head==null){
                return null;
            }
            HashMap<Integer,Integer> map = new HashMap<>();
            ListNode cur = head;
            ListNode pre = head;
            map.put(cur.val,1);
            cur = cur.next;
            while(cur!=null){
                if(map.containsKey(cur.val)){
                    pre.next = cur.next;
                    cur.next = null;
                    cur = pre;
                }else{
                    map.put(cur.val,1);
                    pre = cur;
                }
                cur = cur.next;
            }
            return head;
        }
    }

    解法二:由于已经给定是排序链表,那么只要判断当前节点和下一个节点是否相同就行了

    class Solution {
        public ListNode deleteDuplicates(ListNode head) {
            if(head==null){
                return null;
            }
            
            ListNode cur = head;
            while(cur!=null && cur.next!=null){
                if(cur.val == cur.next.val){
                    cur.next = cur.next.next;
                }else{
                    cur = cur.next;
                }
            }
            return head;
        }
    }
  • 相关阅读:
    添加常驻Notification
    Java 数组操作
    一百本英文原著之旅 ( 15 finished )
    SQLServer2005中查询语句的执行顺序
    高效程序员的45个习惯
    博客园经典闪存语录
    for xml path('') 引发的数据不完整
    ajax向前台输出二维数组 并解析
    重视知识的本质
    C语言排序
  • 原文地址:https://www.cnblogs.com/czsy/p/10963557.html
Copyright © 2020-2023  润新知