用c语言写一个函数,完成单向链表的插入
时间: 2024-11-28 08:26:28 浏览: 25
在C语言中,你可以编写一个函数来插入元素到一个单向链表中。这里是一个基本的示例,这个函数假设链表节点有一个结构体定义,包含数据域"data"和指向下一个节点的指针"next":
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data;
struct Node* next;
} Node;
// 插入函数
void insertNode(Node** head, int value) {
// 创建新节点
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) { // 检查内存分配是否成功
printf("Memory allocation failed.\n");
return;
}
// 如果链表为空,新节点成为头结点
if (*head == NULL) {
newNode->data = value;
*head = newNode;
return;
}
// 否则,遍历到最后一个节点并插入
Node* temp = *head;
while (temp->next != NULL) {
temp = temp->next;
}
temp->next = newNode;
newNode->data = value;
}
// 测试插入函数
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d -> ", temp->data);
temp = temp->next;
}
printf("NULL\n");
}
int main() {
Node* head = NULL; // 初始化空链表
insertNode(&head, 5); // 插入值5
insertNode(&head, 10); // 插入值10
printList(head); // 打印链表
return 0;
}
```
在这个例子中,`insertNode`函数接受一个指向链表头节点的指针,并根据传入的值创建新的节点,然后将其添加到链表的末尾。
阅读全文