将两个递增的有序链表合并为一个递增的有序链表。
时间: 2023-05-20 12:04:46 浏览: 109
可以使用归并排序的思想,从两个链表的头节点开始比较大小,将较小的节点加入新链表中,直到其中一个链表为空,然后将另一个链表剩余的节点加入新链表中即可。以下是示例代码:
```
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2){
if(l1 == NULL) return l2;
if(l2 == NULL) return l1;
struct ListNode* head = NULL;
struct ListNode* tail = NULL;
while(l1 != NULL && l2 != NULL){
if(l1->val < l2->val){
if(head == NULL){
head = l1;
tail = l1;
}else{
tail->next = l1;
tail = tail->next;
}
l1 = l1->next;
}else{
if(head == NULL){
head = l2;
tail = l2;
}else{
tail->next = l2;
tail = tail->next;
}
l2 = l2->next;
}
}
if(l1 != NULL) tail->next = l1;
if(l2 != NULL) tail->next = l2;
return head;
}
```
注意:这是一个 C 语言的函数,需要在合适的环境中运行。
阅读全文