NUEVAS CARACTERÍSTICAS: - Control de escala dinámico con Numpad +/-/* (30%-300%) - Protección automática contra clipping según resolución - Texto informativo muestra porcentaje de escala - Fix: Redondeo correcto en display de escala (79% → 80%) CAMBIOS EN README: - Actualizar tabla de controles (C→F, T→B, añadir Q/W/E/R/T/Y/U/I) - Documentar sistema polimórfico de figuras 3D - Añadir sección "Controles de Figuras 3D" con Numpad +/-/* - Actualizar debug display (8 líneas ahora) - Expandir sección "Modo RotoBall" → "Sistema de Figuras 3D" - Documentar Esfera y Cubo implementados - Listar 6 figuras futuras (Wave/Helix/Torus/Cylinder/Icosahedron/Atom) - Actualizar estructura del proyecto (añadir source/shapes/) - Añadir parámetros de escala manual a sección técnica IMPLEMENTACIÓN TÉCNICA: - defines.h: Constantes SHAPE_SCALE_MIN/MAX/STEP/DEFAULT - engine.h: Variable shape_scale_factor_, método clampShapeScale() - engine.cpp: Handlers Numpad +/-/*, multiplicar scale_factor en updateShape() - clampShapeScale(): Límite dinámico según tamaño de pantalla (90% máximo) 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
135 lines
4.5 KiB
C++
135 lines
4.5 KiB
C++
#pragma once
|
|
|
|
#include <SDL3/SDL_events.h> // for SDL_Event
|
|
#include <SDL3/SDL_render.h> // for SDL_Renderer
|
|
#include <SDL3/SDL_stdinc.h> // for Uint64
|
|
#include <SDL3/SDL_video.h> // for SDL_Window
|
|
|
|
#include <array> // for array
|
|
#include <memory> // for unique_ptr, shared_ptr
|
|
#include <string> // for string
|
|
#include <vector> // for vector
|
|
|
|
#include "defines.h" // for GravityDirection, ColorTheme, ShapeType
|
|
#include "ball.h" // for Ball
|
|
#include "external/texture.h" // for Texture
|
|
#include "shapes/shape.h" // for Shape (interfaz polimórfica)
|
|
|
|
class Engine {
|
|
public:
|
|
// Interfaz pública
|
|
bool initialize();
|
|
void run();
|
|
void shutdown();
|
|
|
|
private:
|
|
// Recursos SDL
|
|
SDL_Window* window_ = nullptr;
|
|
SDL_Renderer* renderer_ = nullptr;
|
|
std::shared_ptr<Texture> texture_ = nullptr;
|
|
|
|
// Estado del simulador
|
|
std::vector<std::unique_ptr<Ball>> balls_;
|
|
std::array<int, 8> test_ = {1, 10, 100, 500, 1000, 10000, 50000, 100000};
|
|
GravityDirection current_gravity_ = GravityDirection::DOWN;
|
|
int scenario_ = 0;
|
|
bool should_exit_ = false;
|
|
|
|
// Sistema de timing
|
|
Uint64 last_frame_time_ = 0;
|
|
float delta_time_ = 0.0f;
|
|
|
|
// UI y debug
|
|
bool show_debug_ = false;
|
|
bool show_text_ = true;
|
|
|
|
// Sistema de zoom dinámico
|
|
int current_window_zoom_ = WINDOW_ZOOM;
|
|
std::string text_;
|
|
int text_pos_ = 0;
|
|
Uint64 text_init_time_ = 0;
|
|
|
|
// FPS y V-Sync
|
|
Uint64 fps_last_time_ = 0;
|
|
int fps_frame_count_ = 0;
|
|
int fps_current_ = 0;
|
|
std::string fps_text_ = "FPS: 0";
|
|
bool vsync_enabled_ = true;
|
|
std::string vsync_text_ = "VSYNC ON";
|
|
bool fullscreen_enabled_ = false;
|
|
bool real_fullscreen_enabled_ = false;
|
|
|
|
// Auto-restart system
|
|
Uint64 all_balls_stopped_start_time_ = 0; // Momento cuando todas se pararon
|
|
bool all_balls_were_stopped_ = false; // Flag de estado anterior
|
|
static constexpr Uint64 AUTO_RESTART_DELAY = 5000; // 5 segundos en ms
|
|
|
|
// Resolución dinámica para modo real fullscreen
|
|
int current_screen_width_ = SCREEN_WIDTH;
|
|
int current_screen_height_ = SCREEN_HEIGHT;
|
|
|
|
// Sistema de temas
|
|
ColorTheme current_theme_ = ColorTheme::SUNSET;
|
|
|
|
// Estructura de tema de colores
|
|
struct ThemeColors {
|
|
float bg_top_r, bg_top_g, bg_top_b;
|
|
float bg_bottom_r, bg_bottom_g, bg_bottom_b;
|
|
std::vector<Color> ball_colors;
|
|
};
|
|
|
|
// Temas de colores definidos
|
|
ThemeColors themes_[5];
|
|
|
|
// Sistema de Figuras 3D (polimórfico)
|
|
SimulationMode current_mode_ = SimulationMode::PHYSICS;
|
|
ShapeType current_shape_type_ = ShapeType::SPHERE; // Tipo de figura actual
|
|
ShapeType last_shape_type_ = ShapeType::SPHERE; // Última figura para toggle F
|
|
std::unique_ptr<Shape> active_shape_; // Puntero polimórfico a figura activa
|
|
float shape_scale_factor_ = 1.0f; // Factor de escala manual (Numpad +/-)
|
|
|
|
// Batch rendering
|
|
std::vector<SDL_Vertex> batch_vertices_;
|
|
std::vector<int> batch_indices_;
|
|
|
|
// Métodos principales del loop
|
|
void calculateDeltaTime();
|
|
void update();
|
|
void handleEvents();
|
|
void render();
|
|
|
|
// Métodos auxiliares
|
|
void initBalls(int value);
|
|
void setText();
|
|
void pushBallsAwayFromGravity();
|
|
void switchBallsGravity();
|
|
void enableBallsGravityIfDisabled();
|
|
void forceBallsGravityOn();
|
|
void forceBallsGravityOff();
|
|
void changeGravityDirection(GravityDirection direction);
|
|
void toggleVSync();
|
|
void toggleFullscreen();
|
|
void toggleRealFullscreen();
|
|
std::string gravityDirectionToString(GravityDirection direction) const;
|
|
void initializeThemes();
|
|
void checkAutoRestart();
|
|
void performRandomRestart();
|
|
|
|
// Sistema de zoom dinámico
|
|
int calculateMaxWindowZoom() const;
|
|
void setWindowZoom(int new_zoom);
|
|
void zoomIn();
|
|
void zoomOut();
|
|
|
|
// Rendering
|
|
void renderGradientBackground();
|
|
void addSpriteToBatch(float x, float y, float w, float h, int r, int g, int b);
|
|
|
|
// Sistema de Figuras 3D
|
|
void toggleShapeMode(bool force_gravity_on_exit = true); // Toggle PHYSICS ↔ última figura (tecla F)
|
|
void activateShape(ShapeType type); // Activar figura específica (teclas Q/W/E/R/Y/U/I)
|
|
void updateShape(); // Actualizar figura activa
|
|
void generateShape(); // Generar puntos de figura activa
|
|
void clampShapeScale(); // Limitar escala para evitar clipping
|
|
};
|