用随机函数创建两个线性表 c语言
时间: 2024-09-23 15:08:49 浏览: 47
数据结构 两个有序线性表的归并算法 西南交通大学
在C语言中,使用随机数生成函数来创建包含随机元素的线性表,通常会涉及到数组或链表的数据结构。这里我们以动态链表为例,因为链表可以方便地添加任意数量的元素:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h> // 需要用到time()函数初始化随机数种子
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建随机值并插入链表
void createRandomList(Node** head, int size) {
srand(time(0)); // 设置随机数种子
Node* current = *head; // 初始化链表头指针
for (int i = 0; i < size; ++i) {
int random_num = rand() % 100; // 生成0到99之间的随机数
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = random_num;
newNode->next = NULL;
if (*head == NULL) { // 如果链表为空,设置头指针
*head = newNode;
} else {
current->next = newNode;
}
current = newNode; // 更新当前节点
}
}
// 打印链表
void printList(Node* head) {
while (head != NULL) {
printf("%d -> ", head->data);
head = head->next;
}
printf("NULL\n");
}
int main() {
int list_size = 10; // 想要的列表长度
Node* head = NULL;
createRandomList(&head, list_size); // 创建链表
printList(head); // 输出链表内容
return 0;
}
```
在这个例子中,`createRandomList`函数首先设置随机数种子,然后循环生成指定大小的随机整数,并将其存储在新创建的链表节点中。`printList`函数则用于遍历链表并打印每个节点的内容。
阅读全文