在对象指针上调用成员函数

时间:2016-04-09 08:05:26

标签: c++ arrays oop polymorphism member-functions

我正在尝试用C ++编写一个简单的游戏,目前我的Game_Window类包含一系列指向游戏对象的指针,如下所示:

class Game_Window {
private:
    int width;
    int height;
    int num_objects;

public: 
    char** objects;

/* The rest of the class goes here */
}

在我的Game_Window类中,我想定义一个函数,在游戏窗口“objects”数组中保存的所有对象上调用“print()”函数,如下所示。

void Game_Window::print_objects() {
    for (int i = 0; i < num_objects; i++) {
        (objects[i])->print();        /* THE PROBLEM IS HERE */
    }
}

编译时出现以下错误:

game_window.cpp:29:15: error: member reference base type 'char' is not a structure or union
                (objects[i])->print();
                ~~~~~~~~~~~~^ ~~~~~
1 error generated.

我游戏中的所有对象都有“print()”功能,所以我知道这不是问题。任何帮助将不胜感激。

2 个答案:

答案 0 :(得分:1)

我想我明白了。我创建了一个名为Game_Object的类,我的所有游戏对象都将继承该类,并为其提供了print()方法。

class Game_Object {
private:
    Location location;

public: 
    Game_Object();

    Location *get_location() { return &location; }
    void print();
};

class Diver : public Game_Object {
public:
    explicit Diver(int x, int y);

};


class Game_Window {
private:
    int width;
    int height;
    int num_objects;

public: 
    Game_Object** objects;


    explicit Game_Window(int width, int height);
    ~Game_Window();

    int get_width() { return width; }
    int get_height() { return height; }
    int get_object_count() { return num_objects; }
    bool add_object(Game_Object object);    
    void print_objects();

};

现在调用print():

void Game_Window::print_objects() {
    for (int i = 0; i < num_objects; i++) {
        objects[i]->print();
    }
}

我跑了它,它没有给我带来任何错误。

答案 1 :(得分:0)

Game_Window::objects的类型是char**(指向char的指针)。因此objects[i]i th 指针,指针不具有print()方法,这就是(objects[i])->print();失败的原因所在错误。

也许您打算使用print(objects[i]);代替?