将数值1-10存入链表中,将其逆序输出用c语言
时间: 2024-09-20 16:12:59 浏览: 55
在C语言中,我们可以使用结构体表示链表节点,并创建一个函数来逆序插入1到10的数字。首先,我们需要定义链表节点的结构:
```c
typedef struct Node {
int data; // 节点值
struct Node* next; // 指向下一个节点的指针
} Node;
```
然后,我们创建一个函数来将数字1到10插入链表并保持逆序:
```c
void insertAndReverse(Node** head) {
if (*head == NULL) {
*head = (Node*)malloc(sizeof(Node));
(*head)->data = 1;
(*head)->next = NULL;
} else {
Node* current = *head;
while (current->next != NULL) {
current = current->next;
}
current->next = (Node*)malloc(sizeof(Node));
current->next->data = 10;
current->next->next = NULL;
// 翻转链表
Node temp = *head;
Node prev = NULL;
while (temp != NULL) {
Node nextTemp = temp->next;
temp->next = prev;
prev = temp;
temp = nextTemp;
}
*head = prev;
}
}
```
最后,你可以通过以下方式打印出链表的值:
```c
void printList(Node* node) {
while (node != NULL) {
printf("%d ", node->data);
node = node->next;
}
}
int main() {
Node* head = NULL;
insertAndReverse(&head);
printf("逆序链表结果: ");
printList(head);
return 0;
}
```
当你运行这个程序,它会输出从10到1的逆序序列。
阅读全文