1
Fork 0
mirror of https://github.com/Steffo99/iiiiil-gioco.git synced 2024-11-22 07:54:21 +00:00
iiiiil-gioco/main.cpp

149 lines
3.2 KiB
C++

#include <iostream>
#include <random>
#include <time.h>
#define X_MAX 80
#define Y_MAX 23
#define ROOMS 8
#define ROOM_SIZE 7
#define WALL 0xB2
#define EMPTY 0xFF
using namespace std;
//Aggiorna la console con la situazione corrente del gioco.
void draw(char map[X_MAX][Y_MAX])
{
for(int y=0; y<Y_MAX; y++)
{
for(int x=0; x<X_MAX; x++)
{
cout << map[x][y];
}
}
}
//Funzioni per la generazione della mappa
//Inizializza la mappa con spazi vuoti
void init(char map[X_MAX][Y_MAX])
{
for(int y=0; y<Y_MAX; y++)
{
for(int x=0; x<X_MAX; x++)
{
map[x][y] = WALL;
}
}
}
//Crea una stanza quadrata
void room(char map[X_MAX][Y_MAX], int start_x, int start_y, int end_x, int end_y)
{
for(int y=start_y; y<=end_y; y++)
{
for(int x=start_x; x<=end_x; x++)
{
map[x][y] = EMPTY;
}
}
}
//Crea un corridoio che connetta due punti
void corridor(char map[X_MAX][Y_MAX], int start_x, int start_y, int end_x, int end_y, bool verticale)
{
if(verticale)
{
if(start_y > end_y)
{
for(int y=end_y; y<=start_y; y++)
{
map[start_x][y] = EMPTY;
}
}
else
{
for(int y=start_y; y<=end_y; y++)
{
map[start_x][y] = EMPTY;
}
}
if(start_x > end_x)
{
for(int x=end_x; x<=start_x; x++)
{
map[x][end_y] = EMPTY;
}
}
else
{
for(int x=start_x; x<=end_x; x++)
{
map[x][end_y] = EMPTY;
}
}
}
else
{
if(start_x > end_x)
{
for(int x=end_x; x<=start_x; x++)
{
map[x][start_y] = EMPTY;
}
}
else
{
for(int x=start_x; x<=end_x; x++)
{
map[x][start_y] = EMPTY;
}
}
if(start_y > end_y)
{
for(int y=end_y; y<=start_y; y++)
{
map[end_x][y] = EMPTY;
}
}
else
{
for(int y=start_y; y<=end_y; y++)
{
map[end_x][y] = EMPTY;
}
}
}
}
void generate(char map[X_MAX][Y_MAX])
{
int corridor_x;
int corridor_y;
for(int r=0; r<ROOMS; r++)
{
int size_x = rand() % ROOM_SIZE + 1;
int size_y = rand() % ROOM_SIZE + 1;
int start_x = rand() % (X_MAX - size_x);
int start_y = rand() % (Y_MAX - size_y);
room(map, start_x, start_y, start_x + size_x, start_y + size_y);
if(r > 0)
{
int link_x = rand() % size_x + 1 + start_x;
int link_y = rand() % size_y + 1 + start_y;
corridor(map, link_x, link_y, corridor_x, corridor_y, rand() % 2);
}
corridor_x = rand() % size_x + start_x;
corridor_y = rand() % size_y + start_y;
}
}
int main()
{
char map[X_MAX][Y_MAX]; //Mappa del gioco
srand(time(NULL)); //TODO: Rendere il seed modificabile
init(map);
generate(map);
draw(map);
return 0;
}