输出单链表里的所有元素c语言
时间: 2024-09-30 20:07:22 浏览: 39
在C语言中,要遍历并输出单链表的所有元素,首先需要定义一个结构体表示链表节点,然后定义一个函数来操作这个链表。以下是简单的示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data; // 节点数据
struct Node* next; // 指向下一个节点的指针
} Node;
// 初始化链表头节点
Node* createList() {
Node* head = (Node*)malloc(sizeof(Node));
if (!head) {
printf("Memory allocation failed.\n");
return NULL;
}
head->data = 0; // 你可以自定义初始值
head->next = NULL;
return head;
}
// 添加新元素到链表末尾
void append(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = *head;
*head = newNode;
}
// 遍历并打印链表
void printList(Node* head) {
while (head != NULL) {
printf("%d ", head->data);
head = head->next;
}
printf("\n");
}
int main() {
Node* listHead = createList();
// 添加一些元素到链表
append(&listHead, 1);
append(&listHead, 2);
append(&listHead, 3);
// 打印链表
printList(listHead);
return 0;
}
```
在这个例子中,`createList()` 函数用于创建一个新的空链表,`append()` 函数用于添加元素,`printList()` 函数则遍历链表并打印每个节点的数据。
阅读全文