请使用尾插法建立单链表用C语言写
时间: 2024-12-13 19:20:24 浏览: 1
尾插法建单链表-C数据结构课件(线性表)
尾插法是在创建单链表时,将新节点直接添加到链表的末尾,而不是修改当前节点的指针。以下是使用C语言实现单链表尾插法的基本步骤:
```c
#include <stdio.h>
// 定义链表结构体
typedef struct Node {
int data; // 数据域
struct Node* next; // 指向下一个节点的指针
} Node;
// 尾部插入函数
void insertAtEnd(Node** head, int value) {
if (*head == NULL) { // 如果链表为空
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = value;
newNode->next = NULL;
*head = newNode; // 新节点作为头结点
} else {
Node* newNode = (Node*)malloc(sizeof(Node)); // 创建新节点
newNode->data = value;
newNode->next = NULL; // 新节点默认指向NULL,因为要追加到末尾
// 遍历到链表的最后一个节点
Node* temp = *head;
while (temp->next != NULL) {
temp = temp->next;
}
// 将新节点的next指向前一个节点的next
temp->next = newNode;
}
}
// 打印链表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
int main() {
Node* head = NULL; // 初始化链表为空
insertAtEnd(&head, 1); // 插入第一个元素
insertAtEnd(&head, 2);
insertAtEnd(&head, 3);
printf("Tail-inserted list: ");
printList(head);
return 0;
}
```
阅读全文