难度 简单
数据结构中链表的基本操作,需要注意的是java中没有指针的概念,所以模拟指针的过程中有些许的不一样。
public ListNode mergeTwoLists(ListNode l1, ListNode l2) {
ListNode l3 = new ListNode(-1);
ListNode cur = l3;
while(l1 != null && l2 != null){
if(l1.val <= l2.val){
cur.next = l1;
cur = l1;
l1 = l1.next;
}else{
cur.next = l2;
cur = l2;
l2 = l2.next;
}
}
if(l1 != null){
cur.next = l1;
}else{
cur.next = l2;
}
return l3.next;
}