C语言写一个函数insert,用来向一个动态链表插入结点
时间: 2024-10-15 22:23:21 浏览: 32
在C语言中,我们可以使用指针和结构体来实现动态链表。首先,我们需要定义一个链表节点的结构体,并包含数据域和指向下一个节点的指针。然后编写一个`insert`函数来插入新节点。这里是一个简单的例子:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data; // 节点数据
struct Node* next; // 指向下一个节点的指针
} Node;
// 动态链表头结点
Node* head = NULL;
// 插入函数
void insert(int value) {
// 创建新节点
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = NULL;
// 如果链表为空,新节点成为头结点
if (head == NULL) {
head = newNode;
} else {
// 否则,从头结点开始遍历
Node* current = head;
while (current->next != NULL) {
current = current->next;
}
// 将新节点添加到链表的末尾
current->next = newNode;
}
}
int main() {
// 测试插入操作
insert(1);
insert(2);
insert(3);
// 打印链表内容(假设有一个打印链表的辅助函数)
printLinkedList(head); // 这里需要你自己实现这个函数
return 0;
}
```
阅读全文