thrive/input.c

84 lines
1.8 KiB
C
Raw Normal View History

2025-01-24 05:46:40 -05:00
#include <raylib.h>
2024-08-28 17:27:35 -04:00
#include "input.h"
#include <stdio.h>
2024-08-30 06:27:14 -04:00
#include <stdlib.h>
2025-01-02 20:57:00 -05:00
#include <string.h>
2024-08-28 17:27:35 -04:00
#define ENTER 257
#define BACKSPACE 259
2024-08-30 06:27:14 -04:00
void push_character(Input *input, char c) {
if (input->input_length < INPUT_BUFFER_MAX_LENGTH) {
input->input_buffer[input->input_length++] = c;
input->input_buffer[input->input_length] = 0;
}
}
2024-08-28 17:27:35 -04:00
2024-08-30 06:27:14 -04:00
void pop_character(Input *input) {
if (input->input_length > 0) {
input->input_buffer[input->input_length - 1] = 0;
input->input_length--;
2024-08-28 17:27:35 -04:00
}
}
2024-08-30 06:27:14 -04:00
void clear_input_buffer(Input *input) {
input->input_buffer[0] = 0;
input->input_length = 0;
}
2025-01-03 21:07:44 -05:00
void push_input_buffer_to_log(Input *input) {
push_line_to_log(input->log, input->input_buffer);
}
void push_command_to_log(Input *input) {
push_line_to_log(input->log, &(input->command));
}
2024-08-28 17:27:35 -04:00
void handleKeyPress(Input *input, int c) {
if (c == BACKSPACE) {
pop_character(input);
} else if (c == ENTER) {
push_command_to_log(input);
2025-01-04 04:45:44 -05:00
game_handle_command(input->g, input->input_buffer);
2025-01-03 21:07:44 -05:00
clear_input_buffer(input);
2024-08-30 06:27:14 -04:00
} else if ((c >= 'A' && c <= 'Z') || (c >= '0' && c <= '9') || c == ' ') {
push_character(input, (char) c);
2024-08-28 17:27:35 -04:00
}
}
2024-08-30 06:27:14 -04:00
void handle_pressed_keys(Input *input) {
int c;
2025-01-03 20:59:10 -05:00
while((c = GetKeyPressed())) {
2024-08-30 06:27:14 -04:00
handleKeyPress(input, c);
2024-08-28 17:27:35 -04:00
}
}
2024-08-30 06:27:14 -04:00
void draw_prompt(Input *input) {
DrawText("> ", input->position.x, input->position.y, 20, YELLOW);
2024-08-28 17:27:35 -04:00
}
2024-08-30 06:27:14 -04:00
void draw_text(Input *input) {
draw_prompt(input);
2025-01-03 20:59:10 -05:00
// int text_width = MeasureText(input->input_buffer, 20);
2024-08-30 06:27:14 -04:00
DrawText(
input->input_buffer,
input->position.x + 20,
input->position.y,
20,
RAYWHITE
);
}
Input *create_input(Vector2 position) {
Input *input = malloc(sizeof(Input));
input->position.x = position.x;
input->position.y = position.y;
2024-08-28 17:27:35 -04:00
input->input_buffer[0] = 0;
2024-08-30 06:27:14 -04:00
return input;
2024-08-28 17:27:35 -04:00
}
2025-01-02 20:57:00 -05:00
void free_input(Input* input) {
free(input);
}