C++随机数的生成及其应用——猜数游戏
猜数字小游戏,通过例子,学习c++中生如何成随机数。
猜1~100的数字小游戏,代码如下:
#include <iostream>
#include <ctime>
#include <cstdlib>
using namespace std;
int main()
{
srand((unsigned)time(0));//依赖当前计算机的时间产生随机种子
int a = rand() % 100 + 1;//生成 1~100的随机数
int c;
while (true)
{
cout << "输入1~100的随机数:";
cin >> c;
if (c > a) cout << "猜大了" << endl;
else if(c<a)cout << "猜小了" << endl;
else
{
cout << "猜对了" << endl;
break;
}
}
system("pause");
return 0;
}
C++产生随机数
如何产生随机数?
使用cstdlib中的用rand()或srand()。
由于rand()的内部实现是用线性同余法做的,所以生成的并不是真正的随机数,而是在一定范围内可看为随机的伪随机数。多次运行输出结果相同。
示例:
#include <iostream>
#include <cstdlib>
using namespace std;
//在100中产生随机数, 但是因为没有随机种子,所以,下一次运行输出结果相同。
int main()
{
for (int i = 0; i < 10; i++)
{
cout << rand()%100<< " ";
}
return 0;
}
srand()
srand()可用来设置rand()产生随机数时的随机数种子。通过设置不同的种子,我们可以获取不同的随机数序列。
可以利用srand((int)(time(NULL))的方法,利用系统时钟,产生不同的随机数种子。不过要调用time(),需要加入头文件< ctime >。
示例:
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
// 使用随机种子,每次运行输出结果不同
int main()
{
srand((int)time(0)); // 产生随机种子 把0换成NULL也行。
for (int i = 0; i < 10; i++)
{
cout << rand()%100<< " ";
}
return 0;
}
产生一定范围随机数的通用公式:
要取得[0,n) 就是rand()%n 表示 从0到n-1的数
如:
要取得[a,b)的随机整数,使用(rand() % (b-a))+ a;
要取得[a,b]的随机整数,使用(rand() % (b-a+1))+ a;
要取得(a,b]的随机整数,使用(rand() % (b-a))+ a + 1;
通用公式:a + rand() % n;其中的a是起始值,n是整数的范围。
要取得a到b之间的随机整数,另一种表示:a + (int)b * rand() / (RAND_MAX + 1)。
要取得0~1之间的浮点数,可以使用rand() / double(RAND_MAX)。