I have a base State
interface class with virtual default destructor.
class State {
public:
virtual void event() = 0;
virtual ~State() = default; // relevant part
virtual void onCreate() {}
virtual void onDestroy() {}
virtual void onActivate() {}
virtual void onDeactivate() {}
};
And then some classes inheriting from it:
class GameState : public State {
public:
void event() override;
// ...
};
class MenuState : public State {
public:
void event() override;
// ...
};
Compiler generates default move operations if no copy operation or destructor is user-defined. Compiler generates default copy operations if no move operation is user-defined.
Am I correct that by declaring virtual default destructor I have effectively deleted the default move operations?
Will the move operations work for the deriving classes if the base class had implicitly deleted its move operations, and the base class is just an interface without data members?
Is it really sensible to follow the Rule of 5 here? It seems quite a bloat to explicitly delete or default all 5 special member functions.
Let's assume your base class has copy (and possibly move) constructors and assignment operators. What would you expect in this case?
In case your
State
class is abstract (if for exampleonActivate()
was pure virtual) above wouldn't make any sense because aState
instance would not be allowed.But even if not, any
MenuState
members would be sliced, when you put them into aState
object. If instances of your base class don't make much sense on their own, copy and move constructors and assignment operators should rather be deleted.For derived (concrete) classes copying or moving might make more sense. In this case it can be useful to have
protected
copy constructors and assignment operators in the base class. So you cannot instantiate your base class itself, but your derived classes can make use of it.If on the other hand the base class makes sense on its own,
public
(and possiblydefault
) copy and move constructors and assignment operators can be reasonable. This can be the case if derived classes just add some additional information, which is not required whenever you convert your derived objects to base objects.So it really depends, and that's why it's better to explicitly point out what is intended,
public
copy and move,protected
copy and move, or non at all.Such class hierarchies, however, are often used with pointers (like
std::unique_ptr
orstd::shared_ptr
). Then avirtual
clone()
method sometimes is more useful.Internally this
clone()
method might use the copy constructor, though, which can bepublic
(be careful of slicing, if your derived classes are notfinal
) orprotected
(if you want to make sure only theclone()
method is used).