snippet 1:
#include<iostream>
using namespace std;
class C{
public:
C(){}
C(const C& c){
cout<<"const copy constructor called"<<endl;
}
};
int main(){
C c1;
C c2 = c1;
return 0;
}
output: const copy constructor called
snippet 2:
#include<iostream>
using namespace std;
class C{
public:
C(){}
C(const C& c){
cout<<"const copy constructor called"<<endl;
}
C(C& c){
cout<<"non-const copy constructor called.\t "<<endl;
}
};
int main(){
C c1;
C c2 = c1;
return 0;
}
output: non-const copy constructor called
snippet 3:
#include<iostream>
using namespace std;
class C{
public:
C(){}
C(const C& c){
cout<<"const copy constructor called"<<endl;
}
C(C c){
cout<<"non-const copy constructor called.\t "<<endl;
}
};
int main(){
C c1;
C c2 = c1;
return 0;
}
output: error: copy constructor must pass its first argument by reference
I am so confused about:
- for snippet 2, why the non-const copy constructor here is valid? why non-const copy constructor was called, rather than the const one.
- for snippet 3, I know that copy constructor must use const reference to avoid infinite recursion. But Here class C has got
C(const C& c)
,C(C c)
won't cause infinite recursion, why it still doesn't work?
Snippet 1: One standard copy constructor with
const T&
. Happy world.Snippet 2:
What you have effectively done is overloaded the copy constructor - one that takes a reference
T&
and the other that takes a constant referenceconst T&
.Please note: Any constructor for a class T that has one mandatory argument of type
T &
orconst T &
(it may also have further, defaulted arguments) is a copy constructor.So, for the compiler, it all just boils down to finding the Best Fit for overload resolution and it is done as:
So writing
will call the non-const copy constructor since it is a better match, but,
writing,
will call the const copy constructor (you can check) since now the copy constructor with const is the only viable match.
Snippet 3 is just plain wrong for the compiler.
You can't have a method with a signature
C(C c)
. The compiler thinks that you are trying to write a copy constructor and missed writing the&
and hence reports the error. Remove it and it works fine.@Unless you have a very good reason, never ever use
C(C& c)
for your copy constructor. Don't skipconst
because mutating the object from which you are making a copy doesn't make much sense.