函数原型如下:
注意:该函数的使用必须包含头文件 #include <stdlib.h>;
int rand (void);
在这里rand函数生成随机数的默认种子为1,为伪随机数,并不能达到真正生成随机数的目的。
解决方法:srand函数,以初始化随机数的生成器。
? 在使用 rand 函数前调用 srand 函数,使生成随机数的种子即参数seed时刻都在变化
void srand (unsigned int seed);
? 我们一般使用时间作为种子,因为时间是时刻在变化的。故还需引入 time 函数。
time_t time (time_t* timer);
time函数返回的是1970年1?1?0时0分0秒到现在程序运?时间之间的差值,单位是秒。返回的类型是time_t类型。time函数的参数timer如果是?NULL的指针的话,函数也会将这个返回的差值放在timer指向的内存中带回去。如果timer是NULL,就只返回这个时间的差值。
注意:该函数的使用必须包含头文件 #include <time.h>;
如果要?成a~b的随机数,?法如下:
a + rand()%(b-a+1)
eg:?成1~100之间的随机数
? ? ? ?rand()%100+1;
# define _CRT_SECURE_NO_WARNINGS 1
#include<stdio.h>
#include<stdlib.h>
#include<time.h>
void menu()
{
printf(" ********************************\n");
printf("************ 1.Play *************\n");
printf("************ 0.exit *************\n");
printf("*********************************\n");
}
void game()
{
int guess = 0;
int r = rand() % 100 + 1;
while (1)
{
printf("请猜数字:");
scanf("%d", &guess);
if (guess > r)
{
printf("猜大了\n");
}
else if (guess < r)
{
printf("猜小了\n");
}
else
{
printf("猜对了\n");
break;
}
}
}
int main()
{
int input = 0;
srand((int unsigned)time(NULL));
do
{
menu();
printf("请选择: >");
scanf("%d", &input);
switch (input)
{
case 1:
game();
break;
case 0:
printf("退出游戏\n");
break;
default:
printf("选择错误,重新选择\n");
break;
}
} while (input);
return 0;
}
?