c语言输入n(n>1)个正整数,每次将输入的整数插入到链表头部。输出链表中所有节点的值。
时间: 2024-06-14 20:05:30 浏览: 165
C语言基础-C语言编程基础之Leetcode编程题解之第25题K个一组翻转链表.zip
以下是C语言实现将输入的整数插入链表头部,并输出链表中所有节点值的代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
struct Node {
int data;
struct Node* next;
};
// 在链表头部插入节点
void insertNode(struct Node** head, int value) {
// 创建新节点
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
newNode->data = value;
newNode->next = *head;
// 更新头指针
*head = newNode;
}
// 输出链表中所有节点的值
void printList(struct Node* head) {
struct Node* current = head;
// 遍历链表并输出节点值
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
}
int main() {
int n;
printf("请输入正整数n:");
scanf("%d", &n);
struct Node* head = NULL; // 初始化链表头指针
// 循环n次,每次将输入的整数插入链表头部
for (int i = 0; i < n; i++) {
int num;
printf("请输入第%d个整数:", i+1);
scanf("%d", &num);
insertNode(&head, num);
}
printf("链表中所有节点的值为:");
printList(head);
return 0;
}
```
阅读全文