C语言生成10个随机数
时间: 2023-05-18 22:05:40 浏览: 1089
以下是C语言生成10个随机数的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
int main() {
int i, num;
srand(time(NULL)); // 初始化随机数种子
printf("生成的随机数为:\n");
for (i = 0; i < 10; i++) {
num = rand() % 100; // 生成0-99之间的随机数
printf("%d ", num);
}
printf("\n");
return 0;
}
```
运行结果:
```
生成的随机数为:
84 14 49 87 95 68 22 98 50 94
```
相关问题
用C语言写五个随机数 用C语言写五个随机数 用C语言生成五个随机数并写入文本文件test.txt
在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"的文件中。
C语言生成10个随机数,存在数组中
以下是一个示例程序,可以生成10个随机数并存储到数组中:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
int main() {
int arr[10];
int i;
// 使用当前时间作为随机数种子
srand(time(NULL));
// 生成10个随机数并存储到数组中
for (i = 0; i < 10; i++) {
arr[i] = rand();
}
// 输出数组中的随机数
for (i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
该程序使用了C标准库中的rand()函数来生成随机数,并使用time()函数获取当前时间作为随机数种子,以保证每次运行程序时生成的随机数不同。生成的随机数存储在长度为10的整型数组中,并通过循环输出到屏幕上。
阅读全文