Consider this program:
#include <iostream>
struct A {
A() { std::cout << "A::A()
"; }
A(int) { std::cout << "A::(int)
"; }
void operator=(const A&) { std::cout << "A::operator=(const A&)
"; }
};
struct C1 {
A a;
C1(int i) {
a = i;
}
};
struct C2 {
A a;
C2(int i) : a(i) {}
};
int main() {
std::cout << "How expesive is it to create a C1?
";
{ C1 c1(7); }
std::cout << "How expensive is it to create a C2?
";
{ C2 c2(7); }
}
On my system (Ubuntu 11.10, g++ 4.6.1), the program produces this output:
How expesive is it to create a C1?
A::A()
A::(int)
A::operator=(const A&)
How expensive is it to create a C2?
A::(int)
Now, consider why it is doing that. In the first case, C1::C1(int)
, a
must be default-constructed before C1
's constructor can be invoked. Then it is must assigned to via operator=
. In my trivial example, there is no int
assignment operator available, so we have to construct an A
out of an int. Thus, the cost of not using an initializer is: one default constructor, one int
constructor, and one assignment operator.
In the second case, C2::C2(int)
, only the int
constructor is invoked. Whatever the cost of a default A
constructor might be, clearly the cost of C2:C2(int)
is not greater than the cost of C1::C1(int)
.
Or, consider this alternative. Suppose that we add the following member to
A
:
void operator=(int) { std::cout << "A::operator=(int)
"; }
Then the output would read:
How expesive is it to create a C1?
A::A()
A::operator=(int)
How expensive is it to create a C2?
A::(int)
Now is is impossible to say generally which form is more efficient. In your specific class, is the cost of a default constructor plus the cost of an assignment more expensive than a non-default constructor? If so, then the initialization list is more efficient. Otherwise it isn't.
Most classes that I've ever written would be more efficiently initialized in an init list. But, that is a rule-of-thumb, and may not be true for every possible case.
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…