请用C语言编写一个函数,生成一个任意长度的链表
时间: 2023-05-20 16:03:16 浏览: 86
好的,以下是一个生成任意长度链表的 C 语言函数:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct Node {
int data;
struct Node* next;
} Node;
Node* createList(int length) {
Node* head = NULL;
Node* tail = NULL;
for (int i = 0; i < length; i++) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = i;
newNode->next = NULL;
if (head == NULL) {
head = newNode;
tail = newNode;
} else {
tail->next = newNode;
tail = newNode;
}
}
return head;
}
int main() {
Node* head = createList(10);
Node* current = head;
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
return 0;
}
```
这个函数接受一个整数参数 `length`,表示链表的长度。它会生成一个包含 `length` 个节点的链表,并返回链表的头节点指针。每个节点的数据域都是它在链表中的位置。
在 `main` 函数中,我们调用 `createList` 函数生成一个长度为 10 的链表,并遍历输出链表中每个节点的数据域。
阅读全文