C语言实现4. 给定两个带头结点的单链表LA、LB, 编写代码使两个链表中数据域值相同的结点成链,用LC返回。
时间: 2025-01-05 07:45:38 浏览: 9
要在C语言中实现将两个带头结点的单链表LA和LB中数据域值相同的结点成链,并使用LC返回,可以按照以下步骤进行:
1. 定义链表结点结构。
2. 初始化链表LC。
3. 遍历链表LA和LB,找到数据域相同的结点并将其插入到LC中。
以下是具体的代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表结点结构
typedef struct Node {
int data;
struct Node* next;
} Node;
// 初始化链表
Node* initList() {
Node* head = (Node*)malloc(sizeof(Node));
head->next = NULL;
return head;
}
// 创建新结点
Node* createNode(int data) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
// 插入结点到链表末尾
void insertNode(Node* head, int data) {
Node* newNode = createNode(data);
Node* temp = head;
while (temp->next != NULL) {
temp = temp->next;
}
temp->next = newNode;
}
// 打印链表
void printList(Node* head) {
Node* temp = head->next;
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
// 合并两个链表LA和LB,相同的结点成链到LC
Node* mergeLists(Node* LA, Node* LB) {
Node* LC = initList();
Node* tempA = LA->next;
Node* tempB = LB->next;
while (tempA != NULL) {
tempB = LB->next;
while (tempB != NULL) {
if (tempA->data == tempB->data) {
insertNode(LC, tempA->data);
break;
}
tempB = tempB->next;
}
tempA = tempA->next;
}
return LC;
}
int main() {
// 初始化链表LA和LB
Node* LA = initList();
Node* LB = initList();
// 插入结点到LA
insertNode(LA, 1);
insertNode(LA, 2);
insertNode(LA, 3);
insertNode(LA, 4);
// 插入结点到LB
insertNode(LB, 3);
insertNode(LB, 4);
insertNode(LB, 5);
insertNode(LB, 6);
// 打印链表LA和LB
printf("链表LA: ");
printList(LA);
printf("链表LB: ");
printList(LB);
// 合并链表LA和LB,相同的结点成链到LC
Node* LC = mergeLists(LA, LB);
// 打印链表LC
printf("链表LC: ");
printList(LC);
return 0;
}
```
阅读全文