知识点
1.C++11编译器会默认生成以下的构造函数
//1.默认构造函数 //2.默认析构函数 //3.默认拷贝构造函数 //4.默认赋值函数 //5.移动构造函数 //6.移动拷贝函数
2.禁用构造函数用=delete
? ?Demo() = delete; ? ? ? ? ? ? ? ? ? ? ? ? ? ? //禁止生成默认构造函数 ? ?Demo(const Demo &) = delete; ? ? ? ? ? ?//禁止生成默认拷贝构造函数 ? ?Demo(Demo &&) = delete; ? ? ? ? ? ? ? ? //禁止生成默认移动构造函数 ? ?Demo &operator=(const Demo &) = delete; //禁止生成默认赋值函数 ? ?Demo &operator=(Demo &&) = delete; ? ? ?//禁止生成移动拷贝函数?
3.用std::move函数可以调用到移动构造函数
Demo demo_move(std::move(demo)); ? ?//默认移动构造函数?
4.在什么情况下会调用拷贝构造函数?
(1)一个对象以值传递的方式传入函数体 (2)一个对象以值传递的方式从函数返回 (3)一个对象需要通过另一个对象进行初始化
学习资料:
C++中构造函数,拷贝构造函数和赋值函数的区别和实现 - 苦涩的茶 - 博客园
学习例子
#include <iostream>
#include <string>
#include <vector>
//默认构造函数
//析构函数
//编译器默认会为一个类生成几个默认函数
//1.默认构造函数
//2.默认析构函数
//3.默认拷贝构造函数
//4.默认赋值函数
//5.移动构造函数
//6.移动拷贝函数
class Demo
{
public:
Demo();
Demo(const Demo &d);
Demo(Demo &&d);
//Demo& operator =(const Demo& d);
~Demo();
public:
int count;
private:
//Demo() = delete; //禁止生成默认构造函数
//Demo(const Demo &) = delete; //禁止生成默认拷贝构造函数
//Demo(Demo &&) = delete; //禁止生成默认移动构造函数
//Demo &operator=(const Demo &) = delete; //禁止生成默认赋值函数
//Demo &operator=(Demo &&) = delete; //禁止生成移动拷贝函数
};
//默认构造函数
Demo::Demo()
{
count = 10;
std::cout<<" 默认构造函数 count="<<count<<" this="<<this<<std::endl;
}
//默认拷贝构造函数
Demo::Demo(const Demo &d)
{
count = d.count;
std::cout<<"默认拷贝构造函数 count="<<count<<" this="<<this<<std::endl;
}
//默认移动构造函数
Demo::Demo(Demo &&d)
{
count = d.count;
std::cout<<"默认移动构造函数 count="<<count<<" this="<<this<<std::endl;
}
//这个只是重载了=,不是赋值构造函数
/*
Demo& Demo::operator =(const Demo& d)
{
count = d.count;
std::cout<<" 默认赋值函数 count="<<count<<" this="<<this<<std::endl;
return *this;
}
*/
Demo::~Demo()
{
std::cout<<" 默认析构函数 count="<<count<<" this="<<this<<std::endl;
}
Demo get_demo()
{
return Demo();
}
void test_class()
{
Demo demo; //默认构造函数
//Demo demo_copy((const Demo)demo); //默认拷贝构造函数
//Demo demo_move(std::move(demo)); //默认移动构造函数
//调用默认移动构造函数
Demo demo_move(std::move(demo)); //这里的demo并没有消失掉
demo.count=20;
std::cout<<"demo.count="<<demo.count<<std::endl;
Demo demo_copy((const Demo)demo); //调用的拷贝构造函数
std::cout<<"1=================="<<std::endl;
Demo demo_copy_ = demo; //还是调用默认拷贝构造函数
std::cout<<"2=================="<<std::endl;
//demo_copy_ = demo; //调用的默认赋值函数
//demo_copy_ = std::move(demo); //调用的默认赋值函数
std::cout<<"3=================="<<std::endl;
//屏蔽operator=符号,还是没有调用到移动构造函数
Demo demo_move_ = get_demo();
std::cout<<"4=================="<<std::endl;
}
int main()
{
test_class();
return 0;
}
运行结果:?
?
?
|