将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
解题思路1:链表迭代实现
当两个链表都不为空时,迭代判断大小,添加节点。一方为空,则直接补另一方剩下所有的节点。
时间复杂度取决于两个链表长度,O(m+n)。
空间复杂度小,只需要修改指针指向性,O(1)
public static ListNode mergeTwoLists(ListNode list1, ListNode list2) {
// 判断头
ListNode pre = new ListNode(-1);
ListNode cur = pre;
while (list1 != null && list2 != null) {
if (list1.val <= list2.val) {
cur.next = list1;
list1 = list1.next;
cur = cur.next;
} else {
cur.next = list2;
list2 = list2.next;
cur = cur.next;
}
}
// 剩下的不循环
cur.next = list1 != null ? list1 : list2;
return pre.next;
}