/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public ListNode addTwoNumbers(ListNode l1, ListNode l2) { ListNode head =null, tail =null; int carry =0; while(l1 != null && l2 != null){ //取出元素 //计算总和 //创建新节点 //把新节点链接在tail后 //更新tail //更新 l1 l2 int num1 = l1!=null?l1.val:0; int num2 = l2!=null?l2.val:0; int sum = num1+num2+carry; if(head == null){ head = tail =new ListNode(sum%10); }else{ tail.next =new ListNode(sum%10); } tail = tail.next; if(l1 != null) l1 = l1.next; if(l2 != null) l2 = l2.next; carry = sum/10; } if (carry>0){ tail.next = new ListNode(carry); } return head;}}请问这段代码问什么报错NULL POINT EXCEPTION
时间: 2024-02-10 12:09:26 浏览: 141
c代码-2.给定一个排序链表,删除所有重复的元素,使得每个元素只出现一次。 示例 1: 输入: 1->1->2 输出: 1->2 示例 2: 输入: 1->1->2->3->3 输出: 1->2->3 /** * Definition for singly-linked list. * struct ListNode { * int val; * struct ListNode *next; * }; */ struct ListNode*
这段代码可能会出现空指针异常的原因是在最后判断进位是否大于0时,如果carry大于0,应该新建一个节点并将其链接在tail后,然后返回head。但是在代码中,当carry大于0时,只是将tail.next赋值为新建的节点,但是tail.next.next是为空的,因此在访问tail.next.next时会出现空指针异常。
为了解决这个问题,可以在tail.next赋值时,同时更新tail的值。另外,在最后返回head之前,需要判断head是否为空,如果为空,则说明l1和l2的初始值都为null,直接返回null即可。
下面是修改后的代码:
```
public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
ListNode head = null, tail = null;
int carry = 0;
while (l1 != null || l2 != null) {
int num1 = l1 != null ? l1.val : 0;
int num2 = l2 != null ? l2.val : 0;
int sum = num1 + num2 + carry;
carry = sum / 10;
ListNode node = new ListNode(sum % 10);
if (head == null) {
head = tail = node;
} else {
tail.next = node;
tail = tail.next;
}
if (l1 != null) l1 = l1.next;
if (l2 != null) l2 = l2.next;
}
if (carry > 0) {
tail.next = new ListNode(carry);
tail = tail.next;
}
if (head == null) {
return null;
}
return head;
}
```
阅读全文