C++的构造函数的作用:初始化类对象的数据成员。
即类的对象被创建的时候,编译系统对该对象分配内存空间,并自动调用构造函数,完成类成员的初始化。
构造函数的特点:以类名作为函数名,无返回类型。
常见的构造函数有三种写法:
C++的构造函数可以有多个,创建对象时编译器会根据传入的参数不同调用不同的构造函数。
如果创建一个类,没有写任何构造函数,则系统会自动生成默认的无参构造函数,且此函数为空。
默认构造函数(default constructor)就是在没有显式提供初始化式时调用的构造函数。如果定义某个类的变量时没有提供初始化时就会使用默认构造函数。
但只要有下面某一种构造函数,系统就不会再自动生成这样一个默认的构造函数。如果希望有一个这样的无参构造函数,则需要显示地写出来。
#include <IOStream>
using namespace std;
class Student {
public:
int m_age;
int m_score;
// 1. 无参构造函数
Student() {
m_age = 10;
m_score = 99;
cout << "1. 无参构造函数" << endl;
}
};
一般构造函数有两种写法:
#include <iostream>
using namespace std;
class Student {
public:
int m_age;
int m_score;
// 2. 一般构造函数
// 初始化列表方式
Student(int age, int score) :
m_age(age),
m_score(score)
{}
// 内部赋值方式
Student(int age, int score) {
m_age = age;
m_score = score;
}
};
C++规定,对象的成员变量的初始化动作发生在进入构造函数本体之前。也就是说采用初始化列表的话,构造函数本体实际上不需要有任何操作,因此效率更高。
一般构造函数可以有多种参数形式,即一个类可以有多个一般构造函数,前提是参数的个数或者类型不同(C++的函数重载机制)。
C++覆盖和重载的区别
#include <iostream>
using namespace std;
class Student {
public:
int m_age;
int m_score;
// 2. 一般构造函数
Student(int age, int score) {
m_age = age;
m_score = score;
cout << "2.1 一般构造函数" << endl;
}
Student(int age) {
m_age = age;
cout << "2.2 一般构造函数" << endl;
}
};
复制构造函数,也称为拷贝构造函数。
复制构造函数参数为类对象本身的引用,根据一个已存在的对象复制出一个新的对象,一般在函数中会将已存在对象的数据成员的值复制一份到新创建的对象中。
#include <iostream>
using namespace std;
class Student {
public:
int m_age;
int m_score;
// 3. 复制构造函数
Student(Student& s) {
m_age = s.m_age;
m_score = s.m_score;
cout << "3. 复制构造函数" << endl;
}
};
注意:若没有显示定义复制构造函数,则系统会默认创建一个复制构造函数,当类中有指针成员时,由系统默认创建的复制构造函数会存在“浅拷贝”的风险,因此必须显示定义复制构造函数。
构造函数的调用示例如下:
int main()
{
Student stu1; // 调用无参构造函数
Student stu21(21, 20); // 调用一般构造函数
Student stu22(22); // 调用一般构造函数
Student stu3(stu1); // 调用复制构造函数
return 0;
}