将两个有序链表合并成一个有序链表的c语言代码
时间: 2024-05-29 21:08:39 浏览: 102
以下是将两个有序链表合并成一个有序链表的C语言代码:
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2){
if (l1 == NULL) return l2;
if (l2 == NULL) return l1;
struct ListNode* res = NULL;
if (l1->val <= l2->val){
res = l1;
res->next = mergeTwoLists(l1->next, l2);
} else{
res = l2;
res->next = mergeTwoLists(l1, l2->next);
}
return res;
}
相关问题
将两个链表合并为一个递增的有序链表代码c语言
以下是将两个链表合并为一个递增的有序链表的代码示例(C语言):
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表结构体
struct ListNode {
int val;
struct ListNode *next;
};
// 合并两个有序链表
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2) {
// 如果其中一个链表为空,则直接返回另一个链表
if (l1 == NULL) {
return l2;
}
if (l2 == NULL) {
return l1;
}
// 定义一个新链表头节点
struct ListNode *head = (struct ListNode *)malloc(sizeof(struct ListNode));
head->val = 0;
head->next = NULL;
// 定义一个指针节点,用于遍历合并后的链表
struct ListNode *p = head;
// 当两个链表都不为空时,比较它们的头节点大小
while (l1 != NULL && l2 != NULL) {
if (l1->val < l2->val) {
p->next = l1;
l1 = l1->next;
} else {
p->next = l2;
l2 = l2->next;
}
p = p->next;
}
// 将剩余未遍历完的链表直接接到合并后的链表尾部
p->next = l1 == NULL ? l2 : l1;
return head->next;
}
int main() {
// 创建两个有序链表
struct ListNode *l1 = (struct ListNode *)malloc(sizeof(struct ListNode));
l1->val = 1;
struct ListNode *l1_1 = (struct ListNode *)malloc(sizeof(struct ListNode));
l1_1->val = 2;
l1_1->next = NULL;
l1->next = l1_1;
struct ListNode *l2 = (struct ListNode *)malloc(sizeof(struct ListNode));
l2->val = 1;
struct ListNode *l2_1 = (struct ListNode *)malloc(sizeof(struct ListNode));
l2_1->val = 3;
l2_1->next = NULL;
l2->next = l2_1;
// 合并两个有序链表
struct ListNode *mergedList = mergeTwoLists(l1, l2);
// 输出合并后的链表
while (mergedList != NULL) {
printf("%d ", mergedList->val);
mergedList = mergedList->next;
}
printf("\n");
return 0;
}
```
当您问我我在前面对您说了什么时,这里是一个笑话:
为什么小明的作业总是比我多?因为他比你强。
用c语言写两个有序链表合并成1个有序链表
下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建一个新节点
Node* createNode(int data) {
Node* node = (Node*)malloc(sizeof(Node));
node->data = data;
node->next = NULL;
return node;
}
// 合并两个有序链表
Node* mergeLists(Node* l1, Node* l2) {
Node* head = createNode(0); // 创建一个头节点
Node* cur = head; // 当前节点指针
while (l1 && l2) {
if (l1->data <= l2->data) {
cur->next = l1;
l1 = l1->next;
} else {
cur->next = l2;
l2 = l2->next;
}
cur = cur->next;
}
// 将未合并完的链表的剩余部分接到合并后的链表尾部
if (l1) {
cur->next = l1;
}
if (l2) {
cur->next = l2;
}
// 返回头节点的下一个节点
return head->next;
}
// 输出链表
void printList(Node* head) {
Node* cur = head;
while (cur) {
printf("%d ", cur->data);
cur = cur->next;
}
printf("\n");
}
int main() {
// 创建两个有序链表
Node* l1 = createNode(1);
l1->next = createNode(3);
l1->next->next = createNode(5);
Node* l2 = createNode(2);
l2->next = createNode(4);
l2->next->next = createNode(6);
// 合并两个有序链表
Node* mergedList = mergeLists(l1, l2);
// 输出合并后的链表
printList(mergedList);
return 0;
}
```
输出结果为:
```
1 2 3 4 5 6
```
阅读全文