题目:

输入一个复杂链表(每个节点中有节点值,以及两个指针,一个指向下一个节点,另一个特殊指针指向任意一个节点),返回结果为复制后复杂链表的head。(注意,输出结果中请不要返回参数中的节点引用,否则判题程序会直接返回空)

思路:分而治之的思想

1、思路1:先复制next结点让复杂链表连成简单链表,在找每一个结点的random,时间复杂度O(n^2)

2、思路2:将每个结点的random结点保存一份到哈希表,这样查找起来就是O(1),时间复杂度O(n)

                   空间复杂度O(n)

3、思路3:1)将链表A->B->C- 每一个结点的复制结点连接到每个结点后面A->A'->B->B'->C->C'

                   2)将A'->random=A->random->next;

                   3)将两个链表进行拆分

代码:

/*
struct RandomListNode {
    int label;
    struct RandomListNode *next, *random;
    RandomListNode(int x) :
            label(x), next(NULL), random(NULL) {
    }
};
*/
class Solution {
public:
    RandomListNode* Clone(RandomListNode* pHead)
    {
        if(pHead==NULL)
        {
            return NULL;
        }
        RandomListNode *cur=pHead;
        //1、由A->B->C->D 变成 A->A'->B->B'->C->C'->D->D'
        while(cur!=NULL)
        {
            RandomListNode *clone=new RandomListNode(cur->label);
            //clone->label=cur->label;
            clone->next=cur->next;
            clone->random=NULL;
            
            cur->next=clone;
            cur=clone->next;
        }
        cur=pHead;
        //2、连接复制结点的random结点,等于原链表random结点的next
        while(cur!=NULL)
        {
            if(cur->random!=NULL)
            {
                RandomListNode *tmp=cur->random;
                cur->next->random=tmp->next;
            }
            cur=cur->next->next;
        }
        //拆分两个链表
        RandomListNode *cur1=pHead;
        RandomListNode *newhead=pHead->next;
        while(cur1->next)
        {
            RandomListNode *tmp=cur1->next;
      		cur1->next=tmp->next;
            cur1=tmp;
        }
        return newhead;
    }
};