用C语言写五个随机数 用C语言写五个随机数 用C语言生成五个随机数并写入文本文件test.txt
时间: 2024-09-21 09:07:13 浏览: 46
在C语言中,我们可以使用`fopen()`、`fprintf()`等函数将随机数写入文本文件。以下是生成随机数并将其写入文件的例子:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h> // 用于获取系统时间作为随机数种子
void write_random_numbers_to_file(int count) {
FILE *file = fopen("test.txt", "w"); // 打开或创建文件 test.txt,"w"表示写模式
if (!file) {
perror("无法打开文件");
return;
}
srand(time(NULL)); // 设置随机数种子
for (int i = 1; i <= count; i++) {
int random_num = rand(); // 生成随机数
fprintf(file, "%d\n", random_num); // 将随机数写入文件,每行结尾添加换行符
}
fclose(file); // 关闭文件
}
int main() {
write_random_numbers_to_file(5); // 生成并写入5个随机数
printf("已成功写入5个随机数到文件 test.txt.\n");
return 0;
}
```
这段代码会生成5个随机数,并将它们写入名为"test.txt"的文件中。
阅读全文