我写了一个合并两个链表的程序,所以我首先创建了一个dummyHead。但是编译器向我返回一个错误:无法访问的语句。我在Internet上搜索了它,但还是不明白为什么。
代码是:
/**
* class ListNode {
* public int value;
* public ListNode next;
* public ListNode(int value) {
* this.value = value;
* next = null;
* }
* }
*/
public class Solution {
public ListNode merge(ListNode one, ListNode two) {
if(one == null && two != null){
return two;
}else if(one != null && two == null){
return one;
}else{
return null;
}
ListNode dummyHead = new ListNode(-1);
ListNode cur_one = one;
ListNode cur_two = two;
ListNode dummyCur = dummyHead;
while(cur_one.next == null || cur_two.next == null){
if(cur_one.value <= cur_two.value){
dummyCur.next = cur_one;
cur_one = cur_one.next;
}else{
dummyCur.next = cur_two;
cur_two = cur_two.next;
}
dummyCur = dummyCur.next;
}
if(cur_one.next != null){
dummyCur.next = cur_one.next;
}
if(cur_two.next != null){
dummyCur.next = cur_two.next;
}
return dummyHead.next;
}
}
错误信息是:
错误:java.io.IOException:/Solution.java:21:错误:无法访问的语句
ListNode dummyHead = new ListNode(-1);
谢谢您的答复。
答案 0 :(得分:2)
由于您的if / else if / else条件,该行永远不会执行:
if(one == null && two != null){
return two;
} else if(one != null && two == null){
return one;
} else{
return null;
}
基于此条件,在执行第21行之前,将返回两个,一个或null。
您将要删除else,以允许该方法继续执行。
答案 1 :(得分:1)
在您的第一个if语句中,由于最后一个else块,在所有可能的情况下,您都会使方法退出并提前退出。这就是为什么以下任何语句都不会被执行的原因。
答案 2 :(得分:1)
else {
return null;
}
最后的else条件在该行之前返回null。如果您希望使用其余功能,请删除其他条件。