【自用19.1】C++构造函数

构造函数的作用

在创建一个新的对象时,自动调用的函数,用来进行“初始化”工作:

对这个对象内部的数据成员进行初始化。

构造函数的特点

  1. 自动调用(在创建新对象时,自动调用)
  2. 构造函数的函数名,和类名相同
  3. 构造函数没有返回类型
  4. 可以有多个构造函数(即函数重载形式)

 

构造函数的种类

默认构造函数

自定义的构造函数

拷贝构造函数

赋值构造函数

默认构造函数

没有参数的构造函数,称为默认构造函数。

合成的默认构造函数

没有手动定义默认构造函数时,编译器自动为这个类定义一个构造函数。

  1. 如果数据成员使用了“类内初始值”,就使用这个值来初始化数据成员。【C++11】
  2. 否则,就使用默认初始化(实际上,不做任何初始化)
#include 
#include 
#include 

using namespace std;

// 定义一个“人类”
class Human {
public:  //公有的,对外的
	void eat(); //方法, “成员函数”
	void sleep();
	void play();
	void work();

	string getName();
	int getAge();
	int getSalary();

private:
	string name;
	int age = 18;
	int salary;
};

void Human::eat() {
	cout << "吃炸鸡,喝啤酒!" << endl;
}

void Human::sleep() {
	cout << "我正在睡觉!" << endl;
}

void Human::play() {
	cout << "我在唱歌! " << endl;
}

void Human::work() {
	cout << "我在工作..." << endl;
}

string Human::getName() {
	return name;
}

int Human::getAge() {
	return age;
}

int Human::getSalary() {
	return salary;
}

int main(void) {
	Human  h1;  // 使用合成的默认初始化构造函数
	cout << "年龄: " << h1.getAge() << endl;     //使用了类内初始值
	cout << "薪资:" << h1.getSalary() << endl;  //没有类内初始值

	system("pause");
	return 0;
}

 结果:

【自用19.1】C++构造函数_第1张图片

注意:

只要手动定义了任何一个构造函数,编译器就不会生成“合成的默认构造函数”

一般情况下,都应该定义自己的构造函数,不要使用“合成的默认构造函数”

【仅当数据成员全部使用了“类内初始值”,才宜使用“合成的默认构造函数”】

你可能感兴趣的:(学习笔记,C++,c++,开发语言)