c语言单链表尾插法代码
时间: 2024-10-31 22:06:30 浏览: 18
单链表建立尾接法(C语言源代码)
在C语言中,链表尾插法通常涉及到创建一个新的节点,并将其链接到现有链表的末尾。这里是一个简单的示例,展示了如何通过函数实现这个操作:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data; // 数据域
struct Node* next; // 指针域,指向下一个节点
} Node;
// 创建新节点并插入链表尾部的函数
void insertAtEnd(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node)); // 分配内存
if (newNode == NULL) { // 避免内存分配失败
printf("Memory allocation failed.\n");
return;
}
newNode->data = value; // 设置新节点的数据
newNode->next = NULL; // 初始化新节点的next指针
if (*head == NULL) { // 如果链表为空,则直接连接新节点
*head = newNode;
} else {
Node* current = *head;
while (current->next != NULL) {
current = current->next;
} // 找到最后一个节点
current->next = newNode; // 将新节点添加到链表尾部
}
}
// 打印链表内容
void printList(Node* node) {
while (node != NULL) {
printf("%d -> ", node->data);
node = node->next;
}
printf("NULL\n");
}
int main() {
Node* head = NULL;
insertAtEnd(&head, 1); // 插入第一个元素
insertAtEnd(&head, 2);
insertAtEnd(&head, 3);
printList(head); // 输出: 1 -> 2 -> 3 -> NULL
return 0;
}
```
阅读全文