C++基础-构造函数和拷贝函数

构造函数

class Student { public: //构造函数 Student(){ //空参构造函数 }//Student(char *name):age(0){//一个构造函数的参数,后面age(0) 相当于 this->age=0 //this->name = name; ////this->age = 0; //}Student(char *name) :Student(name,0){//调用两个参数的构造函数,注意:先会调用两个参数的构造函数,然后才会执行当前的构造函数 this->name = name; //this->age = 0; }Student(char *name,int age){//两个参数的构造 this->name = name; this->age = age; }private:int age; char * name; public: int getAge(){ return this->age; }char * getName() { return this->name; } void setAge(int age){ this->age = age; }void setName(char * name){ this->name = name; } }; void main(){//1默认会调用空参构造函数 Student stu; stu.setAge(24); stu.setName("Amn"); //2.调用两个参数的构造函数 Student stu1("Amn",25); //3.用关键字new ,返回是一个Student指针 Student * stu2 = new Student("Amn",26); //4.用 malloc 的方式,并没有调用空参的构造函数 Student* stu3 = (Student *)malloc(sizeof(Student)); stu3->setAge(27); stu3->setName("Amn"); //构造函数的相互调用 Student *stu4 = newStudent("Amn"); getchar(); }

析构函数
【C++基础-构造函数和拷贝函数】析构函数: 相当于临终遗言,对象被回收的时候会被调用。如果有在对象内部开辟堆内存,在析构函数里释放内存
java对象被回收会调用finalize方法相当于析构函数
Student(char *name,int age){//两个参数的构造 this->age = age; char * name=(char *)malloc(sizeof(char)* 100); strcpy(this->name,"Amn"); }//析构函数 ~Student(){ //临终遗言,处理善后,对象被回收时调用 free(this->name); this->name = NULL; }Student *stu4 = newStudent("Amn") //释放内存 delete(stu4);

拷贝函数
void printStudent(Student stu){//stu是该方法栈中的一个新得对象,拷贝构造函数赋值,方法执行完释放内存然后调用析构函数}Student getStudent(char * name){ Student stu(name); //栈中,方法执行完会被回收,而对象被回收会调用析构函数,但是发现调用了拷贝函数 return stu; //会返回一个新的student对象,而栈内存开哦i的stu 会被会输 }voidmain(){//Student *stu1 = new Student("Amn",26); //Student *stu2 = stu1; //=时会将stu1的地址赋值给stu2,此时stu1和stu2同时指向在堆中开辟的内存块 // 1.= 会调用拷贝函数 Student stu1("Amn",26); Student stu2 = stu1; //=是赋值,把里面的所定义的属性赋值,c/c++编译器处理,其实就是调用对象的拷贝构造函数//2.第二种场景 作为参数返回的时候会调用拷贝构造函数 Student stu3=getStudent("jack"); //3.第三种场景,对象作为参数传递的时候会调用拷贝构造函数 Student stu4("Amn", 26); printStudent(stu4); getchar(); }

malloc、 free、 new 、 delete的区别(都是开辟释放内存)
Student stu; 相当于在栈中开辟内存
malloc / free: 不会调用构造函数和析构函数
new / delete 会调用构造函数和析构函数
如果用了new 就调用 delete释放内存

    推荐阅读