一:随机数的生成
1:rand函数
函数原型:int rand (void);
rand函数会返回一个伪随机数,范围是0-32767,使用时需要包含头文件stdlib.h
调试rand函数,这里调试5次,产生5个随机数:
调试两次后发现结果一致,其实rand函数生成的随机数都是伪随机的,并不是真正的随机数,而是通过某种算法生成的随机数。真正的随机数是无法预测下一个数的大少的。而rand函数是对一个叫“种子”的基准 值进行运算生成的随机数。之所以前面每次运行程序产生的随机数序列都是一样的,是因为rand函数生成随机数的默认种子是1。如果要生成不同的随机数,就是让种子发生变化。
2:srand函数
srand 函数可以改变种子的大小。
srand的原型:void srand(unsigned int seed);
程序在调用rand函数前需先调用srand函数,通过srand函数的参数seed来设置rand函数生成随机数时的种子,只要种子发生变化,随机数就会发生变化。也就是说,给srand的种子是随机的,rand就能生成随机数;什么时候srand的种子是随机的呢?
3:time
在程序中我们一般使用程序运行的时间作为种子的,因为时间一直在发生变化。
time函数可以获得时间,
time函数的原型:time-t time(time *t timer);
time函数会返回1970年1月1日0时0分0秒到程序运行时间之间的差值,单位;秒。返回的类型是time-t 类型,而srand函数是unsigned int类型,因此需要强制转换,如:srand(unsigned int)time。time函数的参数timer如果是NULL,就只是返回这个时间的差值,也叫:时间戳,写成
time(NULL);
time函数使用时需使用头文件time.h
上面的代码改写成:
两次运行的结果就不一样了。
srand函数一次函数中调用一次,不能多次调用。
1.4:设置随机数的范围
二:猜数字游戏实现
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
void game()
{
int r = rand() % 100 + 1;
int guess = 0;
while (1)
{
printf(“请猜数字”);
scanf(“%d”, &guess);
if (guess < r)
printf(“猜小了\n”);
else
{
if (guess > r) printf("猜大了\n"); else { printf("猜对了\n"); break; } } }
}
void menu()
{
printf(“xxxxxxxxxxxxxxxxxx\n”);
printf(“xxxx1.playxxxxxxxx\n”);
printf(“xxxx0.exitxxxxxxxx\n”);
printf(“xxxxxxxxxxxxxxxxxx\n”);
}
int main()
{
int input = 0;
srand((unsigned int)time(NULL));
do {
menu();
printf(“请选择\n”);
scanf(“%d”, &input);
switch (input)
{
case 1:
game();
break;
case 0:
printf(“游戏结束\n”);
break;
dafault:
printf(“选择错误,重新选择\n”);
break;
}
} while (input);
return 0;
}
加上对猜数的限制;如果5次猜不出来;
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
void game()
{
int r = rand() % 100 + 1;
int guess = 0;
int count = 5;
while (count)
{
printf(“你还有%d次机会”,count);
count–;
scanf(“%d”, &guess);
if (guess < r)
printf(“猜小了\n”);
else
{
if (guess > r) printf("猜大了\n"); else { printf("猜对了\n"); break; } } if (count == 0) printf("你失败了,正确结果是%d\n", r); }
}
void menu()
{
printf(“xxxxxxxxxxxxxxxxxx\n”);
printf(“xxxx1.playxxxxxxxx\n”);
printf(“xxxx0.exitxxxxxxxx\n”);
printf(“xxxxxxxxxxxxxxxxxx\n”);
}
int main()
{
int input = 0;
srand((unsigned int)time(NULL));
do {
menu();
printf(“请选择\n”);
scanf(“%d”, &input);
switch (input)
{
case 1:
game();
break;
case 0:
printf(“游戏结束\n”);
break;
dafault:
printf(“选择错误,重新选择\n”);
break;
}
} while (input);
return 0;
}