剑指25 - 复杂链表的复制
输入一个复杂链表(每个节点中有节点值,以及两个指针,一个指向下一个节点,另一个特殊指针random指向一个随机节点),
请对此链表进行深拷贝,并返回拷贝后的头结点。(注意,输出结果中请不要返回参数中的节点引用,否则判题程序会直接返回空)
/*
public class RandomListNode {
int label;
RandomListNode next = null;
RandomListNode random = null;
RandomListNode(int label) {
this.label = label;
}
}
*/
public class Solution {
public RandomListNode Clone(RandomListNode pHead) {
if(pHead == null) return null;
// 1.在原节点基础上构造next的克隆节点
RandomListNode currentNode = pHead;
while(currentNode!= null) {
RandomListNode cloneNode = new RandomListNode(currentNode.label);
RandomListNode currentNext = currentNode.next;
currentNode.next = cloneNode;
cloneNode.next = currentNext;
currentNode = currentNext;
}
// 2.处理克隆节点的random指向,A1.random = A.random.next;
RandomListNode a0 = pHead;
while( a0 != null) {
RandomListNode a1 = a0.next;
a1.random = a0.random == null? null:a0.random.next;
a0 = a1.next;
}
// 3.创建克隆节点头,分离克隆节点
RandomListNode start = pHead;
RandomListNode ret = start.next;
while(start != null){
RandomListNode cloneNode = start.next;
start.next = cloneNode.next;
start = cloneNode.next;
cloneNode.next = start == null? null:start.next;
cloneNode = cloneNode.next;
}
return ret;
}
}
小总结:三个while循环
1.先在原链表上创建新链表
2.再维护新的链表的random指针指向
3.分离原链表和新链表
4.注意考虑末端节点的情况