0

我对课程有点困惑,希望有人能解释一下。

我正在制作一门课程来为游戏菜单创建按钮。有四个变量:

int m_x int m_y int m_width int m_height

然后我想在类中使用渲染函数,但我不明白如何在类中使用 4 个 int 变量并将其传递给类中的函数?

我的课是这样的:

class Button
{
private:
    int m_x, m_y;            // coordinates of upper left corner of control
    int m_width, m_height;   // size of control

public:
Button(int x, int y, int width, int height)
{
   m_x = x;
   m_y = y;
   m_width = width;
   m_height = height;
}

void Render(SDL_Surface *source,SDL_Surface *destination,int x, int y)
{
    SDL_Rect offset;
    offset.x = x;
    offset.y = y;

    SDL_BlitSurface( source, NULL, destination, &offset );
}


} //end class

我感到困惑的是如何将创建的值public:Button传递给void render我不完全确定我是否正确,如果到目前为止我有它的纯粹运气,因为我仍然有点困惑。

4

2 回答 2

1

在深入了解复杂的编程项目之前,您可能需要花一些时间学习 C++。

要回答您的问题,在构造函数 ( Button) 中初始化的变量是类实例的一部分。因此它们在任何类方法中都可用,包括Render.

于 2012-11-01T03:02:52.953 回答
1

也许一个例子会有所帮助:

#include <iostream>
class Button
{
private:
    int m_x, m_y;            // coordinates of upper left corner of control
    int m_width, m_height;   // size of control

public:
    Button(int x, int y, int width, int height) :
        //This is initialization list syntax. The other way works,
        //but is almost always inferior.
        m_x(x), m_y(y), m_width(width), m_height(height)
    {
    }

    void MemberFunction()
    {
        std::cout << m_x << '\n';
        std::cout << m_y << '\n';
        //etc... use all the members.
    }
};


int main() {
    //Construct a Button called `button`,
    //passing 10,30,100,500 to the constructor
    Button button(10,30,100,500);
    //Call MemberFunction() on `button`.
    //MemberFunction() implicitly has access
    //to the m_x, m_y, m_width and m_height
    //members of `button`. 
    button.MemberFunction();
}
于 2012-11-01T03:09:52.720 回答