问题链接
问题描述
将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
示例
解题思路
核心:双指针
- 递推
新建一个头节点,遍历两个链表,将较小的数连接到节点后面。 - 递归
根据递推的思想,同时可以写出递归算法。
代码示例(JAVA)
递推
/**
* 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 mergeTwoLists(ListNode list1, ListNode list2) {
ListNode result = new ListNode();
ListNode node = result;
while (list1 != null || list2 != null) {
if (list1 == null && list2 != null) {
node.next = list2;
return result.next;
}
if (list1 != null && list2 == null) {
node.next = list1;
return result.next;
}
if (list1.val < list2.val) {
node.next = list1;
list1 = list1.next;
} else {
node.next = list2;
list2 = list2.next;
}
node = node.next;
}
return result.next;
}
}
递归
class Solution {
public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
if (list1 == null) {
return list2;
}
if (list2 == null) {
return list1;
}
if (list1.val < list2.val) {
list1.next = mergeTwoLists(list1.next, list2);
return list1;
} else {
list2.next = mergeTwoLists(list1, list2.next);
return list2;
}
}
}
网友评论