我试图创建一个显示字符矩阵10x10的程序,并在其中显示一个字符,并且在每600毫秒内该字符将随机移动。但我的问题是,每次运行程序时,它都是相同的运动。
如果你看看函数Random_move,我使用函数Rand()...我也尝试过srand(time(null));之前,但只会使两个字符a和b始终朝同一方向移动。有人可以帮忙。
#include <iostream>
#include <windows.h>
#include <time.h>
using namespace std;
class mapa
{
private :
char map[10][10];
char background[10][10];
public :
mapa();
void cpy_btom();
void copy_to_map(int, int, char);
void print();
};
class character
{
private :
int posx;
int posy;
char type;
public :
character(char,int,int);
void send_print(mapa &);
void random_move(mapa &);
void delay(int);
};
int main()
{
character C1('A', 5, 5);
character C2('B', 8, 2);
mapa Mapa;
while(!GetAsyncKeyState(VK_ESCAPE))
{
Mapa.print();
C1.delay(750);
C1.random_move(Mapa);
C2.random_move(Mapa);
}
}
void mapa :: cpy_btom()
{
for(int a = 0;a < 10;a++)
{
for(int b = 0;b<10;b++)
{
map[a][b] = background[a][b];
}
}
}
void mapa :: print()
{
system("cls");
for(int a = 0;a<10;a++)
{
for(int b = 0;b<10;b++)
{
cout << map[a][b];
}
cout << endl;
}
cpy_btom();
}
character :: character(char kind = 'a', int x = 5, int y = 5)
{
type = kind;
posx = x;
posy = y;
}
void character :: send_print(mapa & mapa)
{
mapa.copy_to_map(posx, posy, type);
}
void character :: random_move(mapa & MAP)
{
int a = rand() % 5;
int b = rand() % 50;
if(a == 0) //x --
{
if(b < 45)
{
if(posx > 0)
posx--;
}
else
{
if(posx > 1)
posx = posx - 2;
}
}
else if(a == 1)
{
if(b < 45)
{
if(posx < 10)
posx++;
}
else
{
if(posx < 9)
posx = posx + 2;
}
}
else if(a == 2)
{
if(b < 45)
{
if(posy > 0)
posy--;
}
else
{
if (posy > 1)
posy = posy - 2;
}
}
else if(a == 3)
{
if(b < 45)
{
if(posy < 10)
posy++;
}
else
{
if(posy < 9)
posy = posy + 2;
}
}
send_print(MAP);
}
void character :: delay(int time)
{
int a = clock();
int b = clock() + time;
while(a < b)
{
a = clock();
}
}
mapa :: mapa()
{
for(int a = 0;a < 10;a++)
{
for(int b = 0;b < 10;b++)
{
map[a][b] = ' ';
background[a][b] = ' ';
}
}
}
void mapa :: copy_to_map(int x, int y, char kind)
{
map[x][y] = kind;
}
答案 0 :(得分:4)
尝试在srand(time(0))
的开头调用main
。
答案 1 :(得分:2)
您只能在启动程序时播种一次,而不是每次拨打rand
时都会播种。
答案 2 :(得分:0)
只是为其他答案添加一些上下文,rand
只产生一个伪随机值序列(即序列中的下一个数字与前一个不相关)。它完全是确定性的,因此每次产生相同的序列。
为了每次都获得不同的序列,你必须“播种”随机数。通常这是通过以您选择的偏移量启动序列来完成的。对此的合理值是两次永远不会相同的数字,即当前日期/时间。这是srand(time(0))
的来源。