我有一个名为Engine的类。
TextureManager类的对象在Engine类以及Window类的内部。

我的问题是TextureManager中的函数无法访问Window类中的公共(public)函数或变量。

这是C++的预期功能,还是您认为我在错误地声明/定义了这些对象中的一个或两个?

如您所见,引擎内部有一个TextureManager和一个Window。

class Engine
{
  public:
        Engine();
        ~Engine();


        Window gameWindow;
        TextureManager textures;

        SDL_Event event;

        int test;
};

这是Window类的标题
class Window
{
  public:
        //Constructors
        Window();
        ~Window();

        //Getter Functions
        SDL_Surface * get_screen();

        //Other Functions
        void toggle_fullscreen();
        void render();
        void initialize(int screenwidth, int screenheight);
        bool handle_events(SDL_Event event);
        bool check_error();

  private:
        bool windowed;
        bool windowFailure;

        int screenWidth;
        int screenHeight;

        SDL_Surface * screen;

};

这是TextureManager类的头文件
class TextureManager
{
  public:
        TextureManager();
        ~TextureManager();

        int new_texture(std::string filename);
        int new_section(int indexOfTexture, int x, int y, int width, int height);

        void render_texture(int textureID, int x, int y);
        void render_section(int textureSectionID, int x, int y);
  private:
        std::vector< Texture > textureIDs;
        std::vector< TextureSection > textureSectionIDs;
};

这是我遇到的功能。在函数调用SDL_BlitSurface()中访问gameWindow时出现错误
void TextureManager::render_texture(int textureID, int x, int y)
{
  SDL_Rect coordinates;
  coordinates.x = x;
  coordinates.y = y;
  SDL_BlitSurface(textureIDs[textureID].get_texture(), NULL, gameWindow.get_screen(), &coordinates);
}

最佳答案

如前所述,TextureManager实例不知道类Window的gameWindow实例。您可以考虑以下方法以允许TextureManager与gameWindow进行交互:

class TextureManager {
public:
    TextureManager(Window& w) : m_refWindow(w) { /*...*/ }
    /*...*/
protected:
    Window& m_refWindow;
    /*...*/
}

void TextureManager::SomeMethod()
{
    m_refWindow.DoSomething();
}

Engine::Engine() :
    gameWindow(),
    textures(gameWindow)
{
 /*...*/
}

这样,textures对象将被绑定(bind)到gameWindow对象,并将能够调用其公共(public)函数。

07-28 10:37