专栏名称: FanZhe、FanZhe
目录
相关文章推荐
宝玉xp  ·  //@张欣丨Kenn:在使用agent模式的 ... ·  昨天  
宝玉xp  ·  Text-to-CAD, 写文本 ... ·  2 天前  
宝玉xp  ·  一个 Claude ... ·  2 天前  
爱可可-爱生活  ·  StoryTribe:免费的在线分镜板制作工 ... ·  4 天前  
51好读  ›  专栏  ›  FanZhe、FanZhe

Leetcode第五天之复制带随机指针的链表(138)

FanZhe、FanZhe  · CSDN  ·  · 2020-11-09 08:15

正文

在这里插入图片描述
在这里插入图片描述

新建Node实体类

public class Node {
    int val;
    Node next;
    Node random;

    public Node(int val) {
        this.val = val;
        this.next = null;
        this.random = null;
    }
}

  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12

哈希表

    public static Node copyRandomList(Node head) {
                if (head==null)
            return null;
        //哈希表中,key是原来的节点,value是现在的
        Map<Node,Node> hashMap=new HashMap<>();
        Node p=head;
        //将原节点放入哈希表中
        while (p!=null){
            Node newNode=new Node(p.val);
            hashMap.put(p,newNode);
            p=p.next;
        }
        p=head;
        //遍历原链表,设置新节点的next和random
        while (p!=null){
            //p是原节点,get(p)就是新的节点
            Node newNode=hashMap.get(p);
            if(p.next!=null){
                newNode.next=hashMap.get(p.next);
            }
            //p.random表示原节点随机指向
            //hashMap中:
            // hashMap.get(p.random)表示hashMap.get(p)对应的新节点
            if (p.random!=null){
                newNode.random=hashMap.get(p.random);
            }
            p=p.next;
        }
        //返回原节点对应的新节点
        return hashMap.get(head);
    }
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31

在这里插入图片描述

我有点懵逼,为什么是0ms,显示通过了,我一度怀疑是不是没执行,提交了好几次。头一次看到100%,难以言语。

哈希表与链表

  • 先将原节点放入哈希表中,map.put(p,newNode);
  • 再通过哈希表中原新节点,设置新的指向
  • newNode.next = map.get(p.next);
  • newNode.random = map.get(p.random);