The methods for default assignment and initialization are “memberwise assignment” and “memberwise initialization,” respectively. Memberwise assignment consists of copying one object to the other, a member at a time, as if assigning each member individually. Memberwise initialization consists of copying one object to the other, a member at a time, as if initializing each member individually. The primary difference between the two is that memberwise assignment invokes each member’s assignment operator (operator=), whereas memberwise initialization invokes each member’s copy constructor.
Memberwise assignment is performed only by the assignment operator declared in the form:
type& type :: operator=( [const | volatile] type& )
Default assignment operators for memberwise assignment cannot be generated if any of the following conditions exist:
Default copy constructors for memberwise initialization cannot be generated if the class or one of its base classes has a private copy constructor or if any of the following conditions exist:
The default assignment operators and copy constructors for a given class are always declared, but they are not defined unless both of the following conditions are met:
If both of these conditions are not met, the compiler is not required to generate code for the default assignment operator and copy constructor functions (elimination of such code is an optimization performed by the Microsoft C++ compiler). Specifically, if the class declares a user-defined operator= that takes an argument of type “reference to class-name,” no default assignment operator is generated. If the class declares a copy constructor, no default copy constructor is generated.
Therefore, for a given class A
, the following declarations are always present:
// Implicit declarations of copy constructor
// and assignment operator.
A::A( const A& );
A& A::operator=( const A& );
The definitions are supplied only if required (according to the preceding criteria). The copy constructor functions shown in the preceding example are considered public member functions of the class.
Default assignment operators allow objects of a given class to be assigned to objects of a public base-class type. Consider the following code:
class Account
{
public:
// Public member functions
...
private:
double _balance;
};
class Checking : public Account
{
private:
int _fOverdraftProtect;
};
...
Account account;
Checking checking;
account = checking;
In the preceding example, the assignment operator chosen is Account::operator=
. Because the default operator=
function takes an argument of type Account&
(reference to Account
), the Account
subobject of checking
is copied to account
; fOverdraftProtect
is not copied.