ncurses-gameoflife/main.c

78 lines
1.3 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>
2020-06-13 05:50:03 +08:00
#include <signal.h>
2020-06-12 09:46:44 +08:00
#include "grid.h"
#include "vect.h"
2020-06-13 05:50:03 +08:00
static volatile int running = 1;
static void contain(int* pos, int* velocity, int min, int max);
// if ^C is pressed, set running flag to false
static void signalHandler(int sig);
2020-06-12 09:46:44 +08:00
int main()
{
2020-06-13 05:50:03 +08:00
signal(SIGINT, signalHandler);
int count = 0;
2020-06-12 09:46:44 +08:00
//init
initscr();
//noecho();
curs_set(FALSE);
int width = 0;
int height = 0;
// stdscr created by initscr()
getmaxyx(stdscr, height, width);
Vect2i pos = {0, 0};
Vect2i vel = {1, 1};
2020-06-15 08:12:14 +08:00
//hz
const int FRAME_RATE = 30;
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
putPixel(&grid, pos.x, pos.y);
2020-06-13 05:50:03 +08:00
while (running) {
2020-06-12 09:46:44 +08:00
drawGrid(&grid);
refresh();
2020-06-15 08:12:14 +08:00
//moveVect2i(&pos, vel.x, vel.y);
//contain(&pos.x, &vel.x, 0, width-1);
//contain(&pos.y, &vel.y, 0, height-1);
updateGrid(&grid);
2020-06-12 09:46:44 +08:00
usleep(DELAY);
}
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;
}
}
2020-06-13 05:50:03 +08:00
static void signalHandler(int sig)
{
printf("interrupt\n");
running = 0;
}