使用C语言回答上述问题
时间: 2024-12-23 13:14:23 浏览: 2
C语言头文件 MBXDATA
在C语言中,我们可以使用结构体定义链表节点,以及相应的函数来实现类似的操作。以下是使用C语言实现的功能:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct ListNode {
int data;
struct ListNode* next;
} ListNode;
// 创建链表
ListNode* createList(int input[], int size) {
ListNode* head = NULL;
ListNode* tail = NULL;
for (int i = 0; i < size && input[i] != -1; i++) {
ListNode* newNode = (ListNode*)malloc(sizeof(ListNode));
newNode->data = input[i];
newNode->next = NULL;
if (!head) {
head = newNode;
tail = newNode;
} else {
tail->next = newNode;
tail = newNode;
}
}
return head;
}
// 遍历链表
void traverseList(ListNode* head) {
ListNode* temp = head;
while (temp) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
// 删除链表中的特定值
void removeValue(ListNode** head, int value) {
if (*head == NULL || (*head)->data == value) {
ListNode* temp = *head;
*head = (*head)->next;
free(temp);
return;
}
ListNode* prev = *head;
ListNode* curr = *head->next;
while (curr && curr->data != value) {
prev = curr;
curr = curr->next;
}
if (curr) {
prev->next = curr->next;
free(curr);
}
}
int main() {
int input[] = {1, 2, 3, -1, 4, -1};
int size = sizeof(input) / sizeof(input[0]);
ListNode* list = createList(input, size);
if (list) {
printf("链表内容:\n");
traverseList(list);
// 示例:删除值为3的节点
removeValue(&list, 3);
printf("删除值3后的链表内容:\n");
traverseList(list);
}
return 0;
}
```
上面的代码首先定义了链表节点结构`ListNode`,包含了数据域`data`和指向下一节点的指针`next`。`createList`函数用于根据给定的数组创建链表;`traverseList`函数用于遍历并打印链表;`removeValue`函数删除链表中值等于给定值的节点。
阅读全文