0

所以我有这个:

std::vector<EnemyInterface*> _activeEnemies;

EnemyInterface 看起来像这样:

#include "Ogre.h"

class EnemyInterface{
public:
  virtual void update(const Ogre::Real deltaTime) = 0;
  virtual void takeDamage(const int amountOfDamage, const int typeOfDamage) = 0;
  virtual Ogre::Sphere getWorldBoundingSphere() const = 0;
  virtual ~EnemyInterface(){} 
};

我创造了一个新的敌人:

// Spikey implements EnemyInterface
activeEnemies.push_back( (EnemyInterface*) &Spikey(_sceneManager, Ogre::Vector3(8,0,0)) );

我想对每个敌人调用更新函数,但它崩溃了:

// update enemies
for (std::vector<EnemyInterface*>::iterator it=_activeEnemies.begin(); it!=_activeEnemies.end(); ++it){
        (**it).update(timeSinceLastFrame); // Option 1: access violation reading location 0xcccccccc
        (*it)->update(timeSinceLastFrame); // Option 2: access violation reading location0xcccccccc
    }

我可以在屏幕上看到敌人,但我无法访问它。任何帮助,将不胜感激。

Spikey.h 看起来像这样:

#include "EnemyInterface.h"

class Spikey: virtual public EnemyInterface{
private:
int thisID;
static int ID;

Ogre::SceneNode* _node;
Ogre::Entity* _entity;
public:
Spikey(Ogre::SceneManager* sceneManager, const Ogre::Vector3 spawnPos);

// interface implementation
virtual void update(const Ogre::Real deltaTime);
virtual void takeDamage(const int amountOfDamage, const int typeOfDamage);
virtual Ogre::Sphere getWorldBoundingSphere() const;
};
4

2 回答 2

6

这是因为您在调用中创建了一个临时对象。push_back一旦push_back函数返回,该对象就不再存在,并给您留下一个悬空指针。

您必须使用以下方法创建一个新对象new

activeEnemies.push_back(new Spikey(_sceneManager, Ogre::Vector3(8,0,0)));
于 2013-04-15T15:02:18.780 回答
2

改变

activeEnemies.push_back( (EnemyInterface*) &Spikey(_sceneManager, Ogre::Vector3(8,0,0)) );

activeEnemies.push_back( new Spikey(_sceneManager, Ogre::Vector3(8,0,0)) );

这是正确的电话

(*it)->update(timeSinceLastFrame);

您的vector包含EnemyInterface*.

所以*it给你EnemyInterface*- 即指向 EnemyInterface 的指针。您可以使用指向对象的指针调用方法->

于 2013-04-15T15:03:41.003 回答