我正在从使用ptrs为函数中的结构设置值的C样式转变为使用对象引用的C ++样式。我不了解的是,当我通过引用传递对象,然后将其设置为新对象时,数据集如何?我本以为是复制构造函数,但似乎没有任何作用。
示例
#include <iostream>
using namespace std;
class Profile{
public:
string name;
int age;
Profile();
~Profile();
Profile( const Profile &profile);
};
Profile::Profile(){
name = "BILLY BOB";
age = 234;
}
Profile::~Profile(){}
Profile::Profile( const Profile &profile){
cout << "COPY CONSTRUCTOR" << endl;
}
void GetProfile(Profile &profile){
cout << &profile << endl;
Profile p;
// what's going on here?
profile = p;
}
int main()
{
Profile p;
p.name = "MIKE";
p.age = 55;
cout << p.name << endl;
cout << p.age << endl;
cout << &p << endl;
GetProfile(p);
cout << p.name << endl;
cout << p.age << endl;
return 0;
}
一切设置正确,我只是不知道如何。
答案 0 :(得分:3)
分配正在发生。 尝试添加:
class Profile{
public:
string name;
int age;
Profile();
~Profile();
Profile( const Profile &profile);
Profile &operator = (const Profile &);
};
Profile &Profile::operator = ( const Profile &profile){
cout << "COPY ASSIGNMENT" << endl;
age = age/3;
return *this;
}
您写了profile = p;
。 profile
是一个变量,将为其分配一些值。在这种情况下,operator =
将在此变量上执行,因此类用户可以修改如何分配类值。无论您希望在此赋值运算符中做什么,您都可以自由地(作为类作者)进行操作。您不必像在复制构造函数中那样做(尽管应该这样做,因为用户会感到惊讶)。而且,您甚至不必返回*this
,尽管如果您再也不返回class Profile{
public:
string name;
int age;
Profile();
~Profile();
Profile( const Profile &profile);
Profile( Profile &&profile);
Profile &operator = (const Profile &);
Profile &operator = (Profile &&);
};
Profile &Profile::operator = ( Profile &&profile){
cout << "COPY ASSIGNMENT" << endl;
age = age/3;
return *this;
}
,您的用户将会感到惊讶。
编辑: 在c ++ 11及以后的版本中,还将移动构造函数/赋值:
Profile p;
p = Profile(...);
当您从临时变量分配(或创建)时,这些将被“解雇”。例如:
Profile
在第二行中,您获得了临时kextstat
值,该移动赋值有望以某种方式被利用,因为无论如何该值都会被破坏。因此,例如字符串将传递其内容而不是进行复制,等等。
答案 1 :(得分:0)
我首先要指出复制构造函数是不正确的:变量未初始化,因此,它不会以您认为的方式工作:
您应该像这样修复它:
Profile::Profile(const Profile &profile)
: name(profile.name) // copy name
, age(profile.age) // copy age
{
cout << "COPY CONSTRUCTOR" << endl;
age = age/3; // this variable was used without being initialized
}
现在,解决这个问题:
变量profile
已被初始化,将不会再次创建!当您使用赋值运算符时,编译器将调用the assignment operator
!
如果未提供实现,则编译器将为您生成一个实现,请记住,根据rule of 3/5/0,这些方法仅应在需要时实现。
最后,赋值运算符应如下所示:
Profile& operator=(const Profile &other) {
this->name = other.name;
this->age = other.age;
return *this;
}