ncurses-gameoflife/main.c

77 lines
1.5 KiB
C
Raw Normal View History

2020-06-12 09:46:44 +08:00
#include <stdio.h>
#include <ncurses.h>
#include <unistd.h>
#include <math.h>
#include <time.h>
2020-06-12 09:46:44 +08:00
#include "grid.h"
#include "vect.h"
2020-06-13 05:50:03 +08:00
static void contain(int* pos, int* velocity, int min, int max);
2020-06-12 09:46:44 +08:00
int main()
{
// init
bool running = true;
2020-06-12 09:46:44 +08:00
initscr();
raw();
// allows for transparancy when color values in init_pair(); are set to -1 or, no pair specified
// e.g init_pair(1, COLOR_WHITE, -1) would be transparent background but white text
use_default_colors();
start_color();
// doesn't wait for user to input.
// timeout(100) waits for 100ms for input.
timeout(0);
2020-06-12 09:46:44 +08:00
curs_set(FALSE);
2020-06-12 09:46:44 +08:00
int width = 0;
int height = 0;
// stdscr is screen created by initscr()
2020-06-12 09:46:44 +08:00
getmaxyx(stdscr, height, width);
// framerate of the game
const int FRAME_RATE = 30;
const float FRAME_TIME = 1.f/(double)FRAME_RATE;
2020-06-15 08:12:14 +08:00
const int DELAY = (float)pow(10,6)/(float)FRAME_RATE;
2020-06-12 09:46:44 +08:00
Grid grid;
initGrid(&grid, width, height);
2020-06-15 08:12:14 +08:00
randomizeGrid(&grid);
2020-06-12 09:46:44 +08:00
clock_t t = 0;
2020-06-13 05:50:03 +08:00
while (running) {
clock_t start_t = clock();
char ch = getch();
if (ch == 'q') running = false;
float actual_frame_time = (float) t / (float) CLOCKS_PER_SEC;
2020-06-12 09:46:44 +08:00
if (actual_frame_time >= FRAME_TIME) {
drawGrid(&grid);
refresh();
updateGrid(&grid);
t = 0;
}
2020-06-12 09:46:44 +08:00
t += clock()-start_t;
2020-06-12 09:46:44 +08:00
}
endwin();
return 0;
}
2020-06-13 05:50:03 +08:00
static void contain(int* pos, int* velocity, int min, int max)
2020-06-12 09:46:44 +08:00
{
bool above_max = max < *pos;
bool below_min = *pos < min;
bool not_in_range = below_min || above_max;
if (not_in_range) {
if (below_min) *pos = min;
else if (above_max) *pos = max;
*velocity *= -1;
}
}