我可以在另一个类的实例中显式调用对象的析构函数吗?

时间:2012-11-05 23:35:18

标签: c++ class object destructor

我正在使用两个队列作为练习来实现堆栈。我在堆栈类的每个实例中都有两个队列对象。我希望堆栈的析构函数调用队列的析构函数。在线查看,似乎显式使用析构函数并不常见,因为它们往往会被自动调用。我的代码:

template<class T>
class Stack {
// LIFO objects
   public:
      Stack(int MaxStackSize = 10);
      ~Stack();

      bool IsEmpty() const {return addS.IsEmpty();}
      bool IsFull() const {return addS.getSize()==maxSize;}

      Stack<T>& Add(const T& x);
      Stack<T>& Delete(T& x);
      void Print() const;
   private:
      LinkedQueue<T> addS;
      LinkedQueue<T> delS;
      int maxSize;
};

template<class T>
Stack<T>::Stack(int MaxStackSize)
{
   maxSize = MaxStackSize;
}

template<class T>
Stack<T>::~Stack()
{
   ~addS();
   ~delS();
}

template<class T>
class LinkedQueue {
// FIFO objects
    public:
        LinkedQueue() {front = rear = 0;} // constructor
        ~LinkedQueue(); // destructor
        bool IsEmpty() const
           {return ((front) ? false : true);}
        bool IsFull() const;
        T First() const; // return first element
        T Last() const; // return last element
        LinkedQueue<T>& Add(const T& x);
        LinkedQueue<T>& Delete(T& x);
      void Print() const;  // print the queue in order
      int getSize() const;

   private:
      Node<T> *front;  // pointer to first node
      Node<T> *rear;   // pointer to last node
};

template<class T>
LinkedQueue<T>::~LinkedQueue()
{// Queue destructor.  Delete all nodes.
   Node<T> *next;
   while (front) {
      next = front->link; 
      delete front; 
      front = next;
      }
}

运行上面的代码会出现以下错误:

  

stack.h:在析构函数'Stack&lt; T&gt; :: ~Stack()[with T = int]':   stackrunner.cc:9:从这里实例化stack.h:37:错误:不匹配   调用'(LinkedQueue&lt; int&gt;)()'

我是否错误地调用了析构函数?我根本不应该打电话给毁灭者吗?在调用类析构函数时是否自动调用对象析构函数?

1 个答案:

答案 0 :(得分:4)

为您自动调用析构函数。

在已经被破坏的对象上调用析构函数是Undefined Behavior。它可能会崩溃,或导致任意结果,或造成真正的伤害。

通常,永远不会显式调用析构函数(除非您一直使用placement new来在现有存储中构造对象)。