输入一个复杂链表(每个节点中有节点值,以及两个指针,一个指向下一个节点,另一个特殊指针指向任意一个节点),返回结果为复制后复杂链表的head。(注意,输出结果中请不要返回参数中的节点引用,否则判题程序会直接返回空)
链表编程能力,复杂问题的思维能力,分析时间空间效率
三步法:
2、把复制的结点的random指针指向被复制结点的random指针的下一个结点
3、拆分成两个链表,奇数位置组成原链表,偶数位置组成复制链表。
/*
struct RandomListNode {
int label;
struct RandomListNode *next, *random;
RandomListNode(int x) :
label(x), next(NULL), random(NULL) {
}
};
*/
class Solution {
public:
RandomListNode* Clone(RandomListNode* head)
{
if (head==NULL) return NULL;
RandomListNode* cur = head;
//复制next 如原来是A->B->C 变成A->A'->B->B'->C->C'
while(cur)
{
RandomListNode* temp = new RandomListNode(cur->label);
temp->next = cur->next;
cur->next = temp;
cur = temp->next;
}
cur = head;
//复制random cur是原来链表的结点 cur->next是复制cur的结点
while(cur)
{
RandomListNode* temp = cur->next;
if (cur->random)
{
temp->random = cur->random->next; // cur->random是原来的next才是复制后的
}
cur = temp->next;
}
// 拆分链表,将链表拆分为原链表和复制后的链表
cur = head;
RandomListNode* p = head->next;
while(cur)
{
RandomListNode* temp = cur->next;
cur->next = temp->next;
if (temp->next!=NULL)
temp->next = temp->next->next;
cur = cur->next;
}
return p;
}
};
# -*- coding:utf-8 -*-
# class RandomListNode:
# def __init__(self, x):
# self.label = x
# self.next = None
# self.random = None
class Solution:
# 返回 RandomListNode
def Clone(self, head):
# write code here
if head==None:
return None
cur = head
while cur:
temp = RandomListNode(cur.label)
temp.next = cur.next
cur.next = temp
cur = temp.next
cur = head
while cur:
temp = cur.next
if cur.random:
temp.random = cur.random.next
cur = temp.next
cur = head
p = head.next
while cur:
temp = cur.next
cur.next = temp.next
if temp.next:
temp.next = temp.next.next
cur = cur.next
return p