NO.138 复制带随机指针的链表 中等
data:image/s3,"s3://crabby-images/eacc8/eacc8160c7d24fff8a57ec5c63c14f10737df32a" alt="JjRIPA.png"
data:image/s3,"s3://crabby-images/45717/457175dad47ec7339c5503f13473928b9aa5f5da" alt="JjR45d.png"
思路一:HashMap 第一遍复制节点的 val ,next 和 random 暂时为空,并将源节点和克隆节点形成映射存放在一个 HashMap 中。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
| public Node copyRandomList(Node head) { if (head == null) return null; HashMap<Node, Node> map = new HashMap<>(); Node p = head; while (p != null) { map.put(p, new Node(p.val)); p = p.next; } p = head; while (p != null) { map.get(p).next = map.get(p.next); map.get(p).random = map.get(p.random); p = p.next; } return map.get(head); }
|
时间复杂度:O(n)
空间复杂度:O(n)
思路二:常数空间 不借助 HashMap 也可以完成克隆,思路看图:
输入如下图 [[1,2],[2,3],[3,null],[4,null]]
data:image/s3,"s3://crabby-images/c969a/c969a7c4dcb824b2d8617ca0f0ed9ee5904f4c01" alt="Jj5Y0f.png"
复制源节点。
data:image/s3,"s3://crabby-images/8aa06/8aa066e71ce1a205681b2249c22b3681236e239d" alt="Jj5t78.png"
生成克隆节点的 random 指针。
data:image/s3,"s3://crabby-images/34852/34852a69be57afffd3af37254b620ee925a159a8" alt="Jj5UAS.png"
将原链表和克隆链表分离。
data:image/s3,"s3://crabby-images/94505/94505e1b682344a92f9686336dac841d40758418" alt="Jj5JnP.png"
实现的时候,谨记:源节点的 next 就是其的克隆节点。代码对照着图片很简单的。
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 32
| public Node copyRandomList(Node head) { if (head == null) return null; Node p = head; while (p != null) { Node temp = p.next; p.next = new Node(p.val); p.next.next = temp; p = temp; } p = head; while (p != null) { if (p.random != null) p.next.random = p.random.next; p = p.next.next; } p= head; Node cloneHead = p.next; Node cloneP = cloneHead; while (cloneP.next != null) { p.next = p.next.next; p=p.next; cloneP.next = cloneP.next.next; cloneP = cloneP.next; } p.next = null; return cloneHead; }
|
时间复杂度:O(n)
空间复杂度:O(1)
本人菜鸟,有错误请告知,感激不尽!
更多题解和源码:github