题目描述
请实现 copyRandomList 函数,复制一个复杂链表。在复杂链表中,每个节点除了有一个 next 指针指向下一个节点,还有一个 random 指针指向链表中的任意节点或者 null。
代码
/*
// 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) {
HashMap<Node, Node> resMap = new HashMap<Node, Node>();
Node cur = head;
while(cur != null){
resMap.put(cur, new Node(cur.val));
cur = cur.next;
}
cur = head;
while(cur != null){
resMap.get(cur).next = resMap.get(cur.next);
resMap.get(cur).random = resMap.get(cur.random);
cur = cur.next;
}
return resMap.get(head);
}
}