首先在写代码之前,我们先了解一下怎么使用srand生成随机数的
#include <stdio.h> /* printf, NULL */
#include <stdlib.h> /* srand, rand */
#include <time.h> /* time */
int main()
{
printf("%d\n", rand() % 100);
srand(time(NULL));
printf("%d\n", rand() % 100);
srand(1);
printf("%d\n", rand() % 100);
return 0;
}
打印的第一个和第三个数字总是不变的,因为srand函数需要一个种子,种子如果相同,产生的随机数就是相同的,所以需要传一个time函数,(time函数可以返回一个时间戳),来保证每次的种子都不相同。
以下是实现代码:
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
void menu()
{
printf("***************************\n");
printf("***** 1.play 0.exit *****\n");
printf("***************************\n");
}
void game()
{
int ret = rand() % 100 + 1;//可以生成1-100之间的随机数
int guess = 0;
while (1)
{
printf("猜数字:>");
scanf("%d", &guess);
if (guess > ret)
{
printf("猜大了\n");
}
else if (guess < ret)
{
printf("猜小了\n");
}
else
{
printf("猜对啦!\n");
break;
}
}
}
int main()
{
int input = 0;
//要给srand传递一个变化的值
//time函数可以返回一个时间戳
srand((unsigned int)time(NULL));
do
{
menu();
printf("请选择:>");
scanf("%d", &input);//输入要写在dowhile循环里面
switch (input)
{
case 1:
game();
break;
case 0:
printf("退出游戏\n");
break;
default:
printf("选择错误,请重新选择\n");
break;
}
} while (input);
return 0;
}