解题思路:
使用哈希表来解决该问题
因为题中要求是深拷贝
首先对原链表遍历,将原链表每个节点和新链表每个节点形成对应关系,存入到哈希表中,key为原链表的节点,value为新链表的节点。
之后重置辅助链表指向原链表头节点
开始遍历原链表,遍历到每个节点的时候,就去查哈希表,取出新链表的节点,将原链表当前节点的next和random节点都复制到新链表的节点中去。
public Node copyRandomList(Node head) {
Map<Node,Node> map=new HashMap<>();
Node cur=head;
if(cur==null)
return null;
while(cur!=null)
{
map.put(cur,new Node(cur.val));
cur=cur.next;
}
cur=head;
while(cur!=null) {
map.get(cur).next = map.get(cur.next);
map.get(cur).random = map.get(cur.random);
cur = cur.next;
}
return map.get(head);
}