矢量对象如何访问矢量元素

时间:2013-12-17 19:44:28

标签: c++ object vector element

这是一个模拟简单资源收集游戏的程序 机器人从地图收集资源并随机移动每个人做一些动作。 我的问题是我想从派生类机器人“RescueBot”中的类映射中访问一个向量。 该程序用多个文件写成,header.h,header.cpp,main.cpp

我有一个对象类型“Robots”的向量和我的header.h文件的示例:

class Map{
  private:
    char World[20][20]; // The size of Map is 20 x 20
    vector<Robots*>RobotsVector; 
  public:
    Map();
    vector<Robots*>*getRobotsVector();

}

   // I access the vector with getRobotsVector() which belongs to Map class but returns 
   // Robot objects. Done this so i can access Robot objects within the Map class.

class Robots
{
private:
    //some variables

public:
    //some functions
    virtual void movement()=0; // this is the function that handles the robots moves
    virtual void action()=0; // this is the function that handles the robots actions
}

class RescueBot:public Robots{
   void movement();
   void action();
 //some unique RescueBot stuff here
}

这是来自header.cpp文件:

#include "header.h"
vector<Robots*>*Map::getRobotsVector(){return &RobotsVector;}

 //example of object creation and pushing into vector
void Map::creation(){
   for (int x=0;x<4;x++){
    getRobotsVector()->push_back(new RescueBot);
   }
}

void RescueBot::action(){
    //do stuff

 for(int i=0;i<Map::getRobotsVector()->size();i++){

       //Here is the problem. I cant get inside the for loop

      Map::getRobotsVector()->at(i)->setDamaged(false); //Changes a flag in other objects

   }
}

我曾尝试制作机器人类的派生类Map。之后当我运行它时,我在RescueBot :: action中访问的向量是空的,而实际向量中有对象。 如果我没有把它衍生出去,它就不会编译。

如何从RescueBot :: action()中访问向量?

1 个答案:

答案 0 :(得分:1)

问题是您没有Map个实例。

您当前调用它的方式只有在getRobotsVector方法为static您不希望的情况下才有效。

Robots类成为Map的派生类时,它起作用的原因是因为Map::getRobotsVector()只是意味着你想在实例上调用getRobotsVector方法RescueBot::action函数正在运行。

解决方案是通过引用将Map的实例传递给action函数。

这就是你的动作功能:

void RescueBot::action(Map& map) {
    // Do whatever you want with the map here.
    // For example:
    map.getRobotsVector()->at(i)->setDamaged(false);
}