首先咱們先來看一下複雜鏈表的結構:dom
這個鏈表不能直接進行復制,若是咱們對其進行直接複製將會發現複製後的鏈表的random依舊指向以前鏈表的位置,並無指向自身的某個節點。所以,咱們須要好好分析一下。tcp
方案一:ide
咱們能夠一個節點一個節點的進行復制,並將複製後的節點放到原節點的後邊。這樣就造成了一個這樣的鏈表:函數
而後咱們將複製後的節點指向原節點random指針指向的位置的下一個位置,遍歷完整個鏈表。接下來最重要的是將鏈表按照奇偶的不一樣拆分爲兩個獨立的鏈表即可等到與原鏈表同樣的鏈表。this
方案二:spa
咱們首先讓當前位置指向head,而後判斷head的random是否爲空,若是爲空直接複製,若不爲空,則須要先記住當前節點,而後向後遍歷,引入計數器,遍歷一次計數器++;直到找到與random相等的節點,而後將你要複製的鏈表的當前位置以計數器--,向後遍歷,找到以後將記住的當前節點的random指向找到的節點。依次遍歷便可。3d
若是要將random指向自身的某個節點,咱們須要記錄random與random指向節點指針
比較方案一與方案二:咱們將會發現方案一的空間複雜度小,實現比較簡單。方案二的空間複雜度大,代碼比較冗餘,但容易想到。blog
下面咱們來看一下他們各自的代碼:get
方案一:
ComplexList* Listcpy2(ComplexList* cl) { Node<T>* cur=cl->_head; //複製鏈表 while(cur) { Node<T>* tmp=new Node(cur->_data); tmp->_next=cur->_next; cur->_next=tmp; cur=tmp->_next; } cur=cl->_head; //置它的random while(cur) { if(cur->_random!=NULL) { Node<T>* next=cur->_next; next->_random=cur->_random->_next; cur=cur->_next->_next; } } cur=cl->_head; Node<T>* newhead=NULL; Node<T>* newtail=NULL; //將奇偶位置的節點拆分紅兩個鏈表 if(cur)//置頭結點和尾節點 { newhead=newtail=cur->_next; cur->_next=newhead->_next; cur=cur->_next; } while(cur) { newtail->_next=cur->_next; newtail=newtail->_next; cur->_next=newtail->_next; cur=cur->_next; } return newhead; }
方案二:
ComplexList& ListCpy(ComplexList& cl) { Node<T>* cur=cl._head; Node<T>* cur1=_head; while(cur->_next!=NULL) { cur1->_data=cur->_data; cur1->_next=cur->_next; if(cur->_random==NULL) { cur1->_random=NULL; } else { Node<T>* cur4=cur; int count=1; cur4=cur->_next; //遍歷找出C1當前節點的random指針指向的位置,並用一個計數 //器記錄遍歷的次數 while(cur->_random!=cur4) { if(cur4->_next==NULL) { cur4->_next=_head; count++; } else { count++; } cur4=cur4->_next; } //經過對計數器的--;找到this當前節點random的指針位置,並 //賦值 Node<T>* cur2=cur1; while(count) { cur2=cur2->_next; if(cur2==NULL) { cur2=_head; } count--; } cur1->_random=cur2; } //讓當前指針指向下一個位置 cur=cur->_next; cur1=cur1->_next; //在上面的代碼中,咱們有可能改掉了C1的最後一個節點的next,讓它指向 //了第一個節點,因此此處將其的next從新置空,不然整個鏈表將會變成循 //環鏈表 if(cur->_next==_head) { cur->_next=NULL; } } return *this; }
最後博主再來說一個函數,是將鏈表節點的random指針指向位置的函數,也就是設置random的函數
void SetRandom(ComplexList& cl,int n=-1,int count=0)//這裏的參數n的表示相對頭節點有幾個位//置的節點,也就是咱們要設置的節點。count表示相對設置的節點的位置即相對位置的節點向後指向//count次,找到random的位置。 { Node<T>* cur1=_head; if(n==-1||count==0) { return; } while(n--) { cur1=cur1->_next; } Node<T>* cur2=cur1; while(count--) { if(cur2->_next==NULL) { cur2=_head; } else { cur2=cur2->_next; } } cur1->_random=cur2; }