写点什么

第八周作业一

用户头像
天天向上
关注
发布于: 2020 年 11 月 15 日

1、判断两个链表是否合并

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



代码实现如下:

public class Demo {
// 链表1的头指针
private static Node firstNode1;
// 链表2的头指针
private static Node firstNode2;
public static void main(String[] args) {
init();
Node mergeNode = findMergeNode();
if (mergeNode == null) {
System.out.println("两个链表未合并");
} else {
System.out.println("两个链表是合并的,合并结点为:" + mergeNode.getValue());
}
}
// 查找合并结点
private static Node findMergeNode() {
Node current1 = firstNode1;
while (current1 != null) {
Node current2 = firstNode2;
while (current2 != null) {
if (current1 == current2) {
return current1;
}
current2 = current2.getNext();
}
current1 = current1.getNext();
}
return null;
}
// 初始化两个链表
private static void init() {
Node mergeFirst = createList(new String[]{"x", "y", "z"}, null);
firstNode1 = createList(new String[]{"a", "b"}, mergeFirst);
firstNode2 = createList(new String[]{"d", "e", "f"}, mergeFirst);
}
private static Node createList(String[] array, Node mergeFirst) {
Node first = new Node();
Node current = first;
for (int i = 0; i < array.length; i++) {
current.setValue(array[i]);
if (i < array.length - 1) {
Node next = new Node();
current.setNext(next);
current = next;
} else {
current.setNext(mergeFirst);
}
}
return first;
}
}
public class Node {
private String value;
private Node next;
public String getValue() {
return value;
}
public void setValue(String value) {
this.value = value;
}
public Node getNext() {
return next;
}
public void setNext(Node next) {
this.next = next;
}
@Override
public String toString() {
return this.value;
}
}



时间复杂度分析:

需要判断链表1中的每个元素在链表2中是否存在,所以时间复杂度为O(m*n)。




2、DataNode节点宕机时HDFS处理过程的时序图



用户头像

天天向上

关注

还未添加个人签名 2018.09.20 加入

还未添加个人简介

评论

发布
暂无评论
第八周作业一