hi !
data:image/s3,"s3://crabby-images/0f65d/0f65d22bc514a69534fe8b847400687eb94804b7" alt=""
目录
[9、 环形链表 ||](#9、 环形链表 ||)
9、 环形链表 ||
data:image/s3,"s3://crabby-images/2b443/2b443d3cc55e2a6cf231871ccb6b8f6ef98ef6d5" alt=""
【图解】
data:image/s3,"s3://crabby-images/6d62f/6d62f2a6dc97595de26f5ff2376cfc7481fb53cb" alt=""
cpp
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
typedef struct ListNode ListNode;
struct ListNode *detectCycle(struct ListNode *head) {
//找相遇节点
ListNode* slow=head;
ListNode* fast=head;
while(fast&&fast->next)
{
slow=slow->next;
fast=fast->next->next;
if(slow==fast)
{
//相遇,开始遍历
ListNode* pcur=head;
while(slow!=pcur)
{
slow=slow->next;
pcur=pcur->next;
}
return slow;
}
}
return NULL;
}
data:image/s3,"s3://crabby-images/b5dc6/b5dc65a96b9f234850514a82c5993efea20007dc" alt=""
10、随机链表的复制
data:image/s3,"s3://crabby-images/bd993/bd9938ba50237f4a0a6b0ca69b55857c6b7cce0a" alt=""
【图解】
data:image/s3,"s3://crabby-images/80ffd/80ffd9af0aa8a53470e19942af18e0eea38a5553" alt=""
data:image/s3,"s3://crabby-images/c58c6/c58c6dd9dae8f85c37f80913b55ae41be10d336d" alt=""
data:image/s3,"s3://crabby-images/54113/54113d5852305921144ccd151ee554a6f7333cb8" alt=""
【思路】
1、在原链表的基础上复制新链表
2、置random指针
3、(改变next指针指向)将复制链表和原链表断开
cs
/**
* Definition for a Node.
* struct Node {
* int val;
* struct Node *next;
* struct Node *random;
* };
*/
typedef struct Node Node;
//创建新结点
Node* BuyNode(int x)
{
Node* newnode=(Node*)malloc(sizeof(Node));
newnode->val=x;
newnode->next=newnode->random=NULL;
return newnode;
}
//复制结点
void AddNode(Node* phead)
{
Node* pcur=phead;
while(pcur)
{
Node* Next=pcur->next;
//创建新结点
Node* newnode=BuyNode(pcur->val);
newnode->next=Next;
pcur->next=newnode;
pcur=Next;
}
}
struct Node* copyRandomList(struct Node* head) {
if(head==NULL)
{
return NULL;
}
//第一步:复制结点
AddNode(head);
//第二步:置random
Node* pcur=head;
while(pcur)
{
Node* copy=pcur->next;
if(pcur->random!=NULL)
{
copy->random=pcur->random->next;
}
pcur=copy->next;
}
//第三步:断开链表
pcur=head;
Node* newTail,*newHead;
newTail=newHead=pcur->next;
while(pcur->next->next)
{
pcur=pcur->next->next;
newTail->next=pcur->next;
newTail=newTail->next;
}
return newHead;
}
这十道题做完理解透,想不提升都难
完------
------------------------------------------------ 终章 ------------------------------------------------
data:image/s3,"s3://crabby-images/7f551/7f551524b8cd99195b3d2ff12a64f7ce776152d7" alt=""
拜拜------