There are some functions which compiler could implicitly define for us in case of need and if they can be properly defined for that class. Like
- default constructor
- copy constructor
- assignment operator
- destructor.
So, whether compiler generated copy constructor/assignment takes it argument as const-reference
OR non-const-reference
.
class Test
{
public:
Test(const Test&); << _1
Test(Test&); << _2
};
If it does then what are the guiding factors for that decision.
The rules in the link Pradhan supplied in the comments can be intuitively understood as follows: the compiler will try to define a copy constructor with argument
const T&
if possible; if not then it will try to define a copy constructor with argumentT&
; and if that is not possible either, then the copy constructor will be defined as deleted.When an object of class type
T
is copied, its base classes and non-static data members must be copied too. So if one of these, say,U
has a copy constructor that takesU&
instead ofconst U&
, then it's a no-go ifT
's constructor takesconst T&
since all subobjects will then be cv-qualified too, and you can't obtain theU&
. Consequently the compiler has to give up on making a copy constructor that takesconst T&
, and goes withT&
instead. And similarly, if some base class or non-static data member can't be copied, then it makes sense for the compiler to generate a deleted copy constructor forT
.For copy assignment operators the rules are basically the same, except the compiler looks for the copy assignment operators of the base classes and non-static data members (rather than their copy constructors), and copy assignment operators are allowed to take their arguments by value (unlike copy constructors).