138.复制带随机指针的链表----leetcode每日一题(大厂常见笔试面试题)

x33g5p2x  于2022-03-22 转载在 其他  
字(2.1k)|赞(0)|评价(0)|浏览(496)

题目

链接:138.复制带随机指针的链表

思路

这道题的步骤总共分为三步:

步骤1

1、在题目所给的每一个链表节点的后面malloc一个节点,将原有链表节点中存储的数据值拷贝到新开辟的这个节点中,并连接在原有链表中。

如图所示:

具体步骤:

  1. struct Node* cur = head;
  2. //1、在每一个节点的后面复制一个节点
  3. while(cur)
  4. {
  5. struct Node*copy = (struct Node*)malloc(sizeof(struct Node));
  6. copy->next = cur->next;//(1)
  7. copy->val = cur->val;//(2)
  8. cur->next = copy;//(3)
  9. cur = cur->next->next;//(4)
  10. }

步骤2

2、处理random。根据当前的cur节点找到random,然random的下一个节点的地址,就是cur节点的random存储的地址。

图示:

  1. //2、连接random
  2. cur = head;
  3. while(cur)
  4. {
  5. struct Node*copy = cur->next;
  6. if(cur->random==NULL)//防止random为空时再对空指针进行解引用出错,因为前面没有malloc一个空间存储尾节点后的NULL
  7. copy->random = NULL;
  8. else
  9. copy->random = cur->random->next;//(1)
  10. cur = cur->next->next;//(2)
  11. }

步骤3

3、将我们malloc的节点剪取下来并进行连接同时将原来的链表重新重新连接起来。

  1. //3、将复制的链表节点剪下并连接
  2. cur = head;
  3. struct Node*newList = (struct Node*)malloc(sizeof(struct Node));//哨兵位的节点
  4. newList->next = NULL;//将哨兵位的next置为空
  5. struct Node*newtail = newList;
  6. while(cur)
  7. {
  8. struct Node*copy = cur->next;
  9. newtail->next = copy;//(1)
  10. newtail = newtail->next;//(2)
  11. cur->next = copy->next;//(3)
  12. cur = copy->next;//(4)
  13. copy->next = NULL;//将要返回的新链表的最后一个节点的next置为NULL
  14. }
  15. struct Node*ret = newList->next;//临时变量存放哨兵位的下一个节点,就是我们要返回的节点
  16. free(newList);//释放开辟的哨兵位的空间
  17. return ret;

代码总览

  1. struct Node* copyRandomList(struct Node* head) {
  2. struct Node* cur = head;
  3. //1、在每一个节点的后面复制一个节点
  4. while(cur)
  5. {
  6. struct Node*copy = (struct Node*)malloc(sizeof(struct Node));
  7. copy->next = cur->next;//(1)
  8. copy->val = cur->val;//(2)
  9. cur->next = copy;//(3)
  10. cur = cur->next->next;//(4)
  11. }
  12. //2、连接random
  13. cur = head;
  14. while(cur)
  15. {
  16. struct Node*copy = cur->next;
  17. if(cur->random==NULL)
  18. copy->random = NULL;
  19. else
  20. copy->random = cur->random->next;//(1)
  21. cur = cur->next->next;//(2)
  22. }
  23. //3、将复制的链表节点剪下并连接
  24. cur = head;
  25. struct Node*newList = (struct Node*)malloc(sizeof(struct Node));//哨兵位的节点
  26. newList->next = NULL;//将哨兵位的next置为空
  27. struct Node*newtail = newList;
  28. while(cur)
  29. {
  30. struct Node*copy = cur->next;
  31. newtail->next = copy;//(1)
  32. newtail = newtail->next;//(2)
  33. cur->next = copy->next;//(3)
  34. cur = copy->next;//(4)
  35. copy->next = NULL;//将要返回的新链表的最后一个节点的next置为NULL
  36. }
  37. struct Node*ret = newList->next;//临时变量存放哨兵位的下一个节点,就是我们要返回的节点
  38. free(newList);//释放开辟的哨兵位的空间
  39. return ret;
  40. }

总结

总的来说,这道题有点类似于DNA的双螺旋复制与解螺旋,一开始的拷贝链表类似于DNA的双螺旋复制,后来的剪切链表有点类似与DNA的解螺旋,最后形成了是两条结构一模一样的链表。

相关文章