1. 常规思路
public ListNode Merge(ListNode list1, ListNode list2)
{
// 先对链表的情况进行判断
if (list1 == null)
return list2;
if (list2 == null)
return list1;
ListNode mergeHead = null;
ListNode current = null;
while (list1 != null && list2 != null)
{
if (list1.val <= list2.val)
{
// 处理合并后的第一个结点
if (mergeHead == null)
{
mergeHead = current = list1;
}
else
{
current.next = list1;
current = current.next;
}
list1 = list1.next;
}
else
{
// 处理合并后的第一个结点
if (mergeHead == null)
{
mergeHead = current = list2;
}
else
{
current.next = list2;
current = current.next;
}
list2 = list2.next;
}
}
if (list1 == null)
current.next = list2;
else
current.next = list1;
return mergeHead;
}
2. 虚拟头结点
public ListNode Merge(ListNode list1, ListNode list2)
{
// 先对链表的情况进行判断
if (list1 == null && list2 == null)
return null;
if (list1 == null)
return list2;
if (list2 == null)
return list1;
// 虚拟头结点
ListNode dummy = new ListNode(-1);
ListNode p = dummy;
// 进行合并操作
while (list1 != null && list2 != null)
{
if (list1.val > list2.val)
{
p.next = list2;
p = p.next;
list2 = list2.next;
} else
{
p.next = list1;
p = p.next;
list1 = list1.next;
}
}
// 下面这段代码也可替换
while (list1 != null)
{
p.next = list1;
p = p.next;
list1 = list1.next;
}
while (list2 != null)
{
p.next = list2;
p = p.next;
list2 = list2.next;
}
return dummy.next;
}
3. 递归
public ListNode Merge03(ListNode list1, ListNode list2)
{
if (list1 == null)
{
return list2;
}
if (list2 == null)
{
return list1;
}
if (list1.val <= list2.val)
{
list1.next = Merge(list1.next, list2);
return list1;
} else
{
list2.next = Merge(list1, list2.next);
return list2;
}
}