gpt4 book ai didi

java - 使用 Java 合并两个链接列表

转载 作者:行者123 更新时间:2023-12-02 03:31:05 25 4
gpt4 key购买 nike

试图找出我的代码中缺少的内容,该代码应该将链表 2 合并到链表 1 的末尾。现在它只是获取第二个列表中的最后一个元素并返回它。

我试图使用的逻辑是沿着第一个列表(L1)遍历并将这些元素逐一添加到 new_list 中,然后在到达 L1 末尾后对第二个列表(L2)执行相同的操作。我还试图避免修改 L1 或 L2,这就是我创建 new_list 的原因。

任何帮助将不胜感激。

public NodeList(int item, NodeList next) {
this.item = item;
this.next = next;
}

public static NodeList merge(NodeList l1, NodeList l2) {

NodeList new_list = new NodeList(l1.item, l1.next);
NodeList new_list2 = new NodeList(l2.item, l2.next);

while (true) {
if (new_list.next == null) {
if (new_list2.next == null) {
return new_list;
}
else {
new_list.next = new NodeList(new_list2.next.item, new_list2.next.next);
new_list2 = new_list2.next;
}

}
else {
new_list.next = new NodeList(new_list.next.item, new_list.next.next);
new_list = new_list.next;
}
}
}

最佳答案

您需要保留对列表中第一个节点的引用,但您没有这样做。在下面的示例中,我还将您的循环分成两个具有预定终止条件的循环,因为从逻辑上讲,这就是您想要做的事情。请注意,我从不复制对现有列表元素的引用,因为您提到您永远不想修改它们。不过,我确实增加了对输入的本地引用:

public static NodeList merge(NodeList l1, NodeList l2) {

NodeList new_head = new NodeList(0, null);
NodeList new_node = new_head;

for(; l1 != null; l1 = l1.next) {
new_node.next = new NodeList(l1.item, null);
new_node = new_node.next;
}

for(; l2 != null; l2 = l2.next) {
new_node.next = new NodeList(l2.item, null);
new_node = new_node.next;
}
return new_head.next;
}

正如您所看到的,这有很多代码重复,因此可以轻松地将其推广到任意数量的列表:

public static NodeList merge(NodeList... l) {

NodeList new_head = new NodeList(0, null);
NodeList new_node = new_head;

for(NodeList ln in l) {
for(; ln != null; ln = ln.next) {
new_node.next = new NodeList(ln.item, null);
new_node = new_node.next;
}
}
return new_head.next;
}

关于java - 使用 Java 合并两个链接列表,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38082181/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com