Просто чтобы добавить еще один пример к ответу Даниэля Лидстрёма
As long as you always store your allocated objects in a shared_ptr, then you really don't need a virtual destructor.
Если кто-то использует shared_ptr, например:
std::shared_ptr<Base> b(new Concrete);
Затем Бетонный деструктор и Базовый деструктор вызываются при уничтожении объекта.
Если кто-то использует shared_ptr, например:
Base* pBase = new Concrete;
std::shared_ptr<Base> b(pBase);
Тогда только Деструктор базы вызывается при уничтоженииобъект.
Это пример
#include <iostream> // cout, endl
#include <memory> // shared_ptr
#include <string> // string
struct Base
{
virtual std::string GetName() const = 0;
~Base() { std::cout << "~Base\n"; }
};
struct Concrete : public Base
{
std::string GetName() const
{
return "Concrete";
}
~Concrete() { std::cout << "~Concrete\n"; }
};
int main()
{
{
std::cout << "test 1\n";
std::shared_ptr<Base> b(new Concrete);
std::cout << b->GetName() << std::endl;
}
{
std::cout << "test 2\n";
Base* pBase = new Concrete;
std::shared_ptr<Base> b(pBase);
std::cout << b->GetName() << std::endl;
}
}