138. 复制带随机指针的链表
Posted 易小顺
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了138. 复制带随机指针的链表相关的知识,希望对你有一定的参考价值。
算法记录
LeetCode 题目:
给你一个长度为 n 的链表,每个节点包含一个额外增加的随机指针 random ,该指针可以指向链表中的任何节点或空节点。
说明
一、题目
构造这个链表的 深拷贝。 深拷贝应该正好由 n 个 全新 节点组成,其中每个新节点的值都设为其对应的原节点的值。新节点的 next 指针和 random 指针也都应指向复制链表中的新节点,并使原链表和复制链表中的这些指针能够表示相同的链表状态。复制链表中的指针都不应指向原链表中的节点 。
二、分析
- 需要复制整个链表节点,而且对应的两个指针也需要进行相应的指正。
- 只需要将每个节点都复制一份,然后进行指针的重指向即可完成数据的深复制工作。
- 但是需要注意一个问题就是原始的
head
的链表节点的顺序不能改变,所以在进行链表重构的同时也需要对原始的链表节点进行一个重构。 - 当然,如果采用的是映射的结构来保存对应的连接关系也就不用关注原始链表的结构,用不上。
/*
// Definition for a Node.
class Node {
int val;
Node next;
Node random;
public Node(int val) {
this.val = val;
this.next = null;
this.random = null;
}
}
*/
class Solution {
public Node copyRandomList(Node head) {
if(head == null) return null;
Node pre = head;
while(pre != null) {
Node temp = new Node(pre.val);
temp.next = pre.next;
temp.random = pre.random;
pre.next = temp;
pre = temp.next;
}
pre = head.next;
while(pre != null) {
pre.random = pre.random == null ? null : pre.random.next;
pre = pre.next == null ? null : pre.next.next;
}
Node newNode = head.next;
Node temp = head;
pre = newNode;
while(pre.next != null) {
temp.next = temp.next.next;
pre.next = pre.next.next;
pre = pre.next;
temp = temp.next;
}
temp.next = null;
return newNode;
}
}
总结
熟悉链表之间的节点关系,需要注意题目中说明的随机指针的指向问题。
以上是关于138. 复制带随机指针的链表的主要内容,如果未能解决你的问题,请参考以下文章
LeetCode第138题—复制带随机指针的链表—Python实现