复杂链表的复制

1|0题解1: 哈希表

空间和时间都是O(n)

class Solution { public Node copyRandomList(Node head) { if (head == null) { return head; } //map中存的是(原节点,拷贝节点)的一个映射 Map<Node, Node> map = new HashMap<>(); for (Node cur = head; cur != null; cur = cur.next) { map.put(cur, new Node(cur.val)); } //将拷贝的新的节点组织成一个链表 for (Node cur = head; cur != null; cur = cur.next) { map.get(cur).next = map.get(cur.next); map.get(cur).random = map.get(cur.random); } return map.get(head); } }

2|0题解2: 原地修改

空间O(1)

class Solution { public Node copyRandomList(Node head) { if (head == null) { return head; } //将拷贝节点放到原节点后面,例如1->2->3这样的链表就变成了这样1->1'->2'->3->3' for (Node node = head, copy = null; node != null; node = node.next.next) { copy = new Node(node.val); copy.next = node.next; node.next = copy; } //把拷贝节点的random指针安排上 for (Node node = head; node != null; node = node.next.next) { if (node.random != null) { node.next.random = node.random.next; } } //分离拷贝节点和原节点,变成1->2->3和1'->2'->3'两个链表,后者就是答案 Node newHead = head.next; for (Node node = head, temp = null; node != null && node.next != null;) { temp = node.next; node.next = temp.next; node = temp; } return newHead; } }

3|0题解3: DFS

图的基本单元是 顶点,顶点之间的关联关系称为 边,我们可以将此链表看成一个图

class Solution: def copyRandomList(self, head: 'Node') -> 'Node': def dfs(head): if not head: return None if head in visited: return visited[head] # 创建新结点 copy = Node(head.val, None, None) visited[head] = copy copy.next = dfs(head.next) copy.random = dfs(head.random) return copy visited = {} return dfs(head)

__EOF__

本文作者程序员小宇
本文链接https://www.cnblogs.com/treasury/p/12823226.html
关于博主:评论和私信会在第一时间回复。或者直接私信我。
版权声明:本博客所有文章除特别声明外,均采用 BY-NC-SA 许可协议。转载请注明出处!
声援博主:如果您觉得文章对您有帮助,可以点击文章右下角推荐一下。您的鼓励是博主的最大动力!
posted @   程序员小宇  阅读(117)  评论(0编辑  收藏  举报
编辑推荐:
· Linux系列:如何用 C#调用 C方法造成内存泄露
· AI与.NET技术实操系列(二):开始使用ML.NET
· 记一次.NET内存居高不下排查解决与启示
· 探究高空视频全景AR技术的实现原理
· 理解Rust引用及其生命周期标识(上)
阅读排行:
· DeepSeek 开源周回顾「GitHub 热点速览」
· 物流快递公司核心技术能力-地址解析分单基础技术分享
· .NET 10首个预览版发布:重大改进与新特性概览!
· AI与.NET技术实操系列(二):开始使用ML.NET
· 单线程的Redis速度为什么快?
点击右上角即可分享
微信分享提示