Как отобразить меню «Пуск»? Пользователю необходимо нажать клавишу, чтобы игра началась

#c #oop #sdl #game-engine #startmenu

Вопрос:

Я выполняю задание, которое требует концепции игры ООП с использованием C . Однако я не могу отобразить другое меню, в котором пользователю требуется нажать клавишу для запуска игры. Это текущие реализации кода. Я также включил несколько скриншотов, чтобы обеспечить более четкий контекст (см. Изображение).

С этого момента всякий раз, когда я запускаю программу, игра автоматически запускается, и камни начинают падать вниз. Тем не менее, я хочу реализовать всплывающее меню, в котором игроку предлагается нажать кнопку ВВОДА, чтобы начать игру.

текущий выход игры
когда игра закончится

 #include "Engine.h"
#include "GraphicsTextureManager.h"
#include "InputsInput.h"
#include "CharactersWarrior.h"
#include "DeltaTimeDeltaTime.h"
#include "MapMapParser.h"
#include <iostream>
#include "SDL_image.h"
#include "Camera/Camera.h"
#include "Characters/Rocks.h"
#include "SDL.h"
#include <string>
#include "Characters/Rocks.h"
#include "UILabel/UILabel.h"
#include "SDL_ttf.h"


//initialise the instance because this is a static object
Engine* Engine::s_Instance = nullptr;
Warrior* player;
Rocks* rock;
std::vector<Rocks*> fallingRocks;
int points;

bool Engine::Init()
{

    //We need to initialise SDL and ensure that SDL is properly initialise
    //So we always check to see if SDL was initialise properly
    if (SDL_Init(SDL_INIT_VIDEO) != 0 amp;amp; IMG_Init(IMG_INIT_JPG || IMG_INIT_PNG) != 0)
    {
        //when sdl init is unsuccessful it returns !0
        SDL_Log("Failed to initialize SDL: %s", SDL_GetError());
        return false;
    }
    SDL_WindowFlags window_flags = (SDL_WindowFlags)(SDL_WINDOW_RESIZABLE | SDL_WINDOW_ALLOW_HIGHDPI);

    //create window
    m_Window = SDL_CreateWindow("Bullet Barrage", SDL_WINDOWPOS_CENTERED, SDL_WINDOWPOS_CENTERED, SCREEN_WIDTH, SCREEN_HEIGHT, window_flags);
    if (m_Window == nullptr)
    {
        //window not initialised
        SDL_Log("Failed to create window SDL: %s", SDL_GetError());
        return false;
    }

    //create renderer
    m_Renderer = SDL_CreateRenderer(m_Window, -1, SDL_RENDERER_ACCELERATED || SDL_RENDERER_PRESENTVSYNC);
    if (m_Renderer == nullptr)
    {
        //renderer not initialised
        SDL_Log("Failed to create renderer SDL: %s", SDL_GetError());
        return false;
    }

    //check if map generator is working
    if (!MapParser::GetInstance()->Load()) {
        std::cout << "Failed to load map" << std::endl;
        return false;
    }
    
    //use the id from map generator to generate the map
    m_LevelMap = MapParser::GetInstance()->GetMap("level1");
    
    //check if font is loaded properly
    if (TTF_Init() == -1) {
        std::cout << "Error: SDL_TTF" << std::endl;
    }

    //load map texture
    TextureManager::GetInstance()->Load("background", "assets/maps/BG.png");
    TextureManager::GetInstance()->Load("player", "assets/adventurer.png");
    TextureManager::GetInstance()->Load("rock", "assets/Lava.png");
    TextureManager::GetInstance()->Load("end", "assets/gameover.png");
    //load font
    TextureManager::GetInstance()->AddFont("arial","assets/arial.ttf",30);

    

    //start state of player is idle, animation is idle
    //load image of player
    player = new Warrior(new Properties("player", 100, 560, 50, 37));           //initialise player

    for (int i = 0; i < TOTALROCKS;   i) {
        int temp = rand() % 1024;
        int temp2 = rand() % 100 49;
        rock = new Rocks(new Properties("rock", temp, -200, temp2, temp2), rand() %6 2); //x,y,w,h
        fallingRocks.push_back(rock);
    }
    //Camera::GetInstance()->SetTarget(player->GetOrigin());

}

void Engine::Render()
{
    if (player_dead == false) {
        SDL_RenderClear(m_Renderer);
        //render background
        TextureManager::GetInstance()->Draw("background", 0, 0, 1024, 640);

        // Show score top right (Fm) 
        SDL_Color color = { 0,0,0 };
        std::string result = "Current Score = "   std::to_string(points);
        UILabel test(750, 20, result, "arial", color);
        test.draw();

        // Show Life top right (Fm) 
        std::string result2 = "Current HP = "   std::to_string(player->health);
        UILabel test2(750, 50, result2, "arial", color);
        test2.draw();

        //throw loaded map onto the screen

        for (int i = 0; i < TOTALROCKS;   i) {

            fallingRocks[i]->Draw();
        }

        m_LevelMap->Render();
        player->Draw();                         //draw player
    }
    else {
        SDL_Color color= { 0,0,0 };
        std::string result = "Total Score = "   std::to_string(points);
        UILabel test(380, 380, result, "arial",color);
        test.draw();

        TextureManager::GetInstance()->Draw("end", 270, 100, 500, 250);
        //TTF_Font* font = TTF_OpenFont("assets/arial.ttf", 24); //this opens a font style and sets a size

        //SDL_Color White = { 255, 0,0};  // this is the color in rgb format, maxing out all would give you the color white, and it will be your text's color

        //SDL_Surface* surfaceMessage = TTF_RenderText_Solid(font, "put your text here", White); // as TTF_RenderText_Solid could only be used on SDL_Surface then you have to create the surface first

        //SDL_Texture* Message = SDL_CreateTextureFromSurface(Engine::GetInstance()->GetRenderer(), surfaceMessage); //now you can convert it into a texture

        //SDL_Rect Message_rect; //create a rect
        //Message_rect.x = 0;  //controls the rect's x coordinate 
        //Message_rect.y = 0; // controls the rect's y coordinte
        //Message_rect.w = 100; // controls the width of the rect
        //Message_rect.h = 100; // controls the height of the rect

        ////Mind you that (0,0) is on the top left of the window/screen, think a rect as the text's box, that way it would be very simple to understand

        ////Now since it's a texture, you have to put RenderCopy in your game loop area, the area where the whole code executes

        //SDL_RenderCopy(Engine::GetInstance()->GetRenderer(), Message, NULL, amp;Message_rect);
    }

    //player died, so draw out menu
    //just rendering some random color
    SDL_SetRenderDrawColor(m_Renderer, 124, 218, 254, 255);
    SDL_RenderPresent(m_Renderer);
    //points == total rocks dodge. do a congrats u died u dodge xx rocks

    

}

void Engine::Update()
{
    if (player_dead == false) {
        float dt = DeltaTime::GetInstance()->GetDeltaTime();        //store delta time into dt

    //use delta time as parameter ensure that it runs smoothly from com to com

        m_LevelMap->Update();
        player->CheckCollision(rock->getBox());
        player->Update(dt);
        if (player->health == 0) {
            player_dead = true;
        }

        for (int i = 0; i < TOTALROCKS;   i) {
            if (player->CheckCollision(fallingRocks[i]->getBox())) {
                //remove object and reinsert
                fallingRocks[i] = nullptr;
                int temp = rand() % 1024;
                int temp2 = rand() % 100   49;
                rock = new Rocks(new Properties("rock", temp, -200, temp2, temp2), rand() % 6   2); //x,y,w,h
                fallingRocks[i] = rock;
            }
            if (fallingRocks[i]->offScreen()) {
                fallingRocks[i] = nullptr;
                int temp = rand() % 1024;
                int temp2 = rand() % 100   49;
                rock = new Rocks(new Properties("rock", temp, -200, temp2, temp2), rand() % 6   2); //x,y,w,h
                fallingRocks[i] = rock;
                points  ;
            }
            fallingRocks[i]->Update(dt);
        }
    }

    //Camera::GetInstance()->Update(dt);
}

void Engine::Events()
{
    Input::GetInstance()->Listen(); //listen for player inputs.
}

bool Engine::Clean()
{
    //when clean function is called from main
    //will destriy and clean up all textures to free memory
    TextureManager::GetInstance()->Clean();
    MapParser::GetInstance()->Clean();
    SDL_DestroyRenderer(m_Renderer);
    SDL_DestroyWindow(m_Window);
    IMG_Quit();
    SDL_Quit();

    return true;
}

void Engine::Quit()
{
    m_IsRunning = false;    //set isrunning to false to stop the event
}
 

Ответ №1:

Я бы сделал это так, чтобы создать какой-то битовый флаг, подобный этому:

 enum GameFlags {
      Menu = 0x01,
      Gameplay = 0x02
};
 

Теперь просто добавьте оператор if вокруг кода для основной игры, как это:

 if (flag amp; GameFlags::Gameplay) { }
 

А затем то же самое для кода меню. Таким образом, вы бы инициализировали переменную флага как меню, а затем просто изменили бы ее на игровой процесс, когда пользователь нажимает с помощью событий sdl.