写点什么

架构师训练营第 1 期 - week08 - 作业

用户头像
lucian
关注
发布于: 2020 年 11 月 14 日

有两个单向链表(链表长度分别为 m,n),这两个单向链表有可能在某个元素合并,也可能不合并,如下图所示的这样。现在给定两个链表的头指针,在不修改链表的情况下,如何快速地判断这两个链表是否合并?如果合并,找到合并的元素,也就是图中的 x 元素。

题 1:请用代码(或伪代码)描述算法,并给出时间复杂度。



分析



如果有合并,则从第一个合并元素开始都是重合的,尾元素必定是重合的。可以从将两个链表元素放入两个栈结构中,利用先进后出的特性从尾元素开始往前推


查找函数



private static Node findFirstCommonNode(Node pHead1, Node pHead2) {
if (pHead1 == null || pHead2 == null) { return null; } Deque<Node> pStack1 = new ArrayDeque<>(); Deque<Node> pStack2 = new ArrayDeque<>(); // 将元素存入栈中 System.out.println("第一个链表元素为: "); while (pHead1 != null) { pStack1.push(pHead1); System.out.print(pHead1.value + " "); pHead1 = pHead1.next; }
System.out.println("\n第二个链表元素为: "); while (pHead2 != null) { pStack2.push(pHead2); System.out.print(pHead2.value + " "); pHead2 = pHead2.next; }
// 从后往前查找第一个合并元素 Node temp = null; while (!pStack1.isEmpty() && !pStack2.isEmpty()) { Node pH1 = pStack1.pop(); Node pH2 = pStack2.pop(); if (pH1.value.equals(pH2.value)) { temp = pH1; } else { break; } } return temp; }
复制代码

测试

public static void main(String[] args) {
Node a = new Node("a"); Node b = new Node("b"); Node d = new Node("d"); Node e = new Node("e"); Node f = new Node("f"); Node x = new Node("x"); Node y = new Node("y"); Node z = new Node("z");
a.next = b; d.next = e; e.next = f; b.next = x; f.next = x; x.next = y; y.next = z;
Node firstCommonNode = findFirstCommonNode(a, d); if (firstCommonNode == null) { System.out.println("\n两个链表不合并"); } else { System.out.println("\n第一个合并的元素为 " + firstCommonNode.value); }

}
复制代码



题 2:请画出 DataNode 服务器节点宕机的时候,HDFS 的处理过程时序图。



用户头像

lucian

关注

还未添加个人签名 2018.03.13 加入

还未添加个人简介

评论

发布
暂无评论
架构师训练营第1期 - week08 - 作业