我提供了一个主要的抽象类,并且必须基于该类创建子类(无法修改):

class Spaceship
{
  protected:
    string m_name;      // the name of the ship
    int m_hull;         // the hull strenght
  public:

    // Purpose: Default Constructor
    // Postconditions: name and hull strength set to parameters
    // -- INLINE
    Spaceship(string n, int h)
    {
      m_name = n;
      m_hull = h;
    }

    // Purpose: Tells if a ship is alive.
    // Postconditions: 'true' if a ship's hull strength is above zero,
    //                 'false' otherwize.
    // -- INLINE
    bool isAlive()
    {
      return (m_hull > 0);
    }

    // Purpose: Prints the status of a ship.
    // -- VIRTUAL
    virtual void status() const = 0;

    // Purpose: Changes the status of a ship, when hit by a
    //    weapon 's' with power level 'power'
    // -- VIRTUAL
    virtual void hit(weapon s, int power) = 0;

    string getName() const
    {
      return m_name;
    }

}; //Spaceship

我的 child 类(class)的例子如下:
class Dreadnought: public Spaceship
{
  int m_shield;
  int m_armor;
  int m_type;
  public:
    Dreadnought( string n, int h, int a, int s ): Spaceship( n, h ),m_shield( s ),m_armor(a),m_type(dreadnought){}
    virtual void status() const
    {
      // implementation not shown to save space
    }
    virtual void hit(weapon s, int power)
    {
      // implementation not shown to save space
    }

    int typeOf(){ return m_type; }
};

在我的主要代码中,我有一个动态数组,其中包含不同类型的 spaceship :
Spaceship ** ships;

cin >> numShips;

// create an array of the ships to test
ships = new Spaceship * [numShips];

然后我从用户那里得到输入,以在此数组中声明不同类型的船只,例如:
ships[0] = new Dreadnought( name, hull, armor, shield );

我的问题是,当我删除数组时,未调用正确的析构函数,而是调用了Spaceships,这会造成内存泄漏,因为成员vars“m_shield,m_armor”没有被删除并悬空了吗?如果是这样,那么与使用var m_type并调用相比,有一种更好的方法来获取类型:
if( ships[i]->typeOf() == 0 )
      delete dynamic_cast<Frigate*>(ships[i]);
    else if( ships[i]->typeOf() == 1 )
      delete dynamic_cast<Destroyer*>(ships[i]);
    else if( ships[i]->typeOf() == 2 )
      delete dynamic_cast<Battlecruiser*>(ships[i]);
    else if( ships[i]->typeOf() == 3 )
      delete dynamic_cast<Dreadnought*>(ships[i]);
    else
      delete dynamic_cast<Dropship*>(ships[i]);

我宣告的宇宙飞船类中的问题2:virtual int typeOf()= 0;并注释掉,有没有一种方法可以在子类中实现此功能而无需在父类中声明,因此我可以像上面显示的那样使用它?当我不声明它时,我得到编译器错误:

错误:“ spaceship 类”没有名为“typeOf”的成员

我认为这又与动态大小写有关。

任何帮助都会很棒,

谢谢
t

编辑:

为了弄清楚我的第一个问题,如果我刚做的话,会不会发生内存泄漏:

删除船只[i];

还是我应该做:

删除dynamic_cast(ships [i]);

删除仅在派生类中的成员变量?

恶作剧

最佳答案

您必须将虚拟析构函数添加到Spaceship类。然后delete将适当地破坏数组中的元素。

您必须在typeOf()中声明Spaceship方法。否则,编译器将无法知道这是有效的成员函数。

如果在基类中将所需的功能添加为虚拟成员函数,则可以避免使用typeOf()

即使您不能出于任何原因修改基类,也可以执行dynamic_cast并进行测试(如果它产生空指针)

Frigate *p = dynamic_cast<Frigate*>(ships[i]);
if (p != 0) {
    // do something with a frigate
}

关于c++ - C++动态转换,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15304179/

10-10 13:36