commit c21422727591706ba9bf506a2ac0df7b50f8ee39 Author: Bill Rossi Date: Wed Aug 28 17:27:35 2024 -0400 Initial commit diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..8ed3858 --- /dev/null +++ b/.gitignore @@ -0,0 +1,2 @@ +raylib.h +game \ No newline at end of file diff --git a/01_text_adventure/Makefile b/01_text_adventure/Makefile new file mode 100644 index 0000000..0312403 --- /dev/null +++ b/01_text_adventure/Makefile @@ -0,0 +1,8 @@ +build: + gcc main.c input.c -lraylib -lGL -lm -lpthread -ldl -lrt -lX11 -o game + +run: build + ./game + +clean: + rm -f ./game diff --git a/01_text_adventure/input.c b/01_text_adventure/input.c new file mode 100644 index 0000000..8a611f8 --- /dev/null +++ b/01_text_adventure/input.c @@ -0,0 +1,44 @@ +#include "../raylib.h" +#include "input.h" +#include + +#define ENTER 257 +#define BACKSPACE 259 + +void handleKeyPress(Input*, int); + +void handle_pressed_keys(Input *input) { + int c; + while(c = GetKeyPressed()) { + handleKeyPress(input, c); + } +} + +void handleKeyPress(Input *input, int c) { + if (c == BACKSPACE) { + pop_character(input); + } else if (c == ENTER) { + clear_input_buffer(input); + } else if ((c >= 'A' && c <= 'Z') || (c >= '0' && c <= '9')) { + push_character(input, c); + } +} + +void push_character(Input *input, int c) { + if (input->input_length < INPUT_BUFFER_MAX_LENGTH) { + input->input_buffer[input->input_length++] = c; + input->input_buffer[input->input_length] = 0; + } +} + +void pop_character(Input *input) { + if (input->input_length > 0) { + input->input_buffer[input->input_length - 1] = 0; + input->input_length--; + } +} + +void clear_input_buffer(Input *input) { + input->input_buffer[0] = 0; + input->input_length = 0; +} diff --git a/01_text_adventure/input.h b/01_text_adventure/input.h new file mode 100644 index 0000000..9d27765 --- /dev/null +++ b/01_text_adventure/input.h @@ -0,0 +1,9 @@ +#define INPUT_BUFFER_MAX_LENGTH 80 + +typedef struct Input { + char input_buffer[INPUT_BUFFER_MAX_LENGTH]; + int input_length; +} Input; + +void handle_pressed_keys(Input*); +void clear_input_buffer(Input*); diff --git a/01_text_adventure/main.c b/01_text_adventure/main.c new file mode 100644 index 0000000..b72730e --- /dev/null +++ b/01_text_adventure/main.c @@ -0,0 +1,27 @@ +#include "../raylib.h" +#include "input.h" + +#include + +#define TARGET_FPS 60 + +int main(void) +{ + InitWindow(800, 450, "Text Adventure"); + SetTargetFPS(TARGET_FPS); + + Input *input = malloc(sizeof(Input)); + clear_input_buffer(input); + + while (!WindowShouldClose()) + { + BeginDrawing(); + ClearBackground(BLACK); + handle_pressed_keys(input); + DrawText(input->input_buffer, 190, 200, 20, RAYWHITE); + EndDrawing(); + } + CloseWindow(); + + return 0; +}