用哈希表的方法
/*
// Definition for a Node.
class Node {
int val;
Node next;
Node random;
public Node(int val) {
this.val = val;
this.next = null;
this.random = null;
}
}
*/
class Solution {
public Node copyRandomList(Node head) {
if(head == null) return null;
// 定义一个指针指向头结点
Node cur = head;
// 创建一个哈希表存放原节点和新节点的映射
Map<Node,Node> map = new HashMap<>();
// 复制链表的节点
while(cur != null){
map.put(cur,new Node(cur.val));
// 指针后移
cur = cur.next;
}
// 指针回到头结点
cur = head;
// 复制next指针,random指针
while(cur != null){
// 将原节点的next指针和random指针复制给新节点
map.get(cur).next = map.get(cur.next);
map.get(cur).random = map.get(cur.random);
cur = cur.next;
}
// 返回新链表
return map.get(head);
}
}