c语言输入一串数字构建单链表
时间: 2024-10-03 21:01:01 浏览: 29
在C语言中,可以使用结构体定义链表节点,并通过循环读取用户输入的数字,动态创建链表。这里是一个简单的示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next; // 指向下一个节点的指针
} Node;
// 创建新节点并插入到链表末尾
Node* create_node(int value) {
Node* newNode = (Node*)malloc(sizeof(Node)); // 分配内存
if (!newNode) { // 检查分配是否成功
printf("Memory allocation failed.\n");
return NULL;
}
newNode->data = value;
newNode->next = NULL;
return newNode;
}
// 将数字添加到链表
void insert_to_list(Node** head, int value) {
Node* newNode = create_node(value);
if (*head == NULL) { // 如果链表为空,将新节点作为头结点
*head = newNode;
} else {
Node* current = *head;
while (current->next != NULL) { // 遍历到末尾
current = current->next;
}
current->next = newNode; // 添加新节点到末尾
}
}
int main() {
Node* head = NULL;
int input;
// 循环接收用户输入,直到输入非数字
while (scanf("%d", &input) == 1) {
insert_to_list(&head, input); // 插入数字到链表
}
// 输出链表
Node* current = head;
while (current != NULL) {
printf("%d -> ", current->data);
current = current->next;
}
printf("NULL\n");
return 0;
}
```
在这个程序中,我们首先定义了一个`Node`结构,然后有`create_node()`函数用于创建新的节点,`insert_to_list()`函数负责把数字添加到链表的末尾。在`main()`函数中,我们循环读取用户的输入,并不断将数值加入链表。
阅读全文