1.构造函数和析构函数 (1)构造函数:主要作用在于创建对象时为对象的成员属性赋值,构造函数由编译器自动调用,无须手动调用。 (2)析构函数:主要作用在于对象销毁前系统自动调用,执行一些清理工作。 (3)构造函数语法:类名(){} a、构造函数,没有返回值也不写void b、函数名称与类名相同 c、构造函数可以有参数,因此可以发生重载 d、程序在调用对象时候会自动调用构造,无须手动调用,而且只会调用一次 (4)析构函数语法: ~类名(){} a、析构函数,没有返回值也不写void b、函数名称与类名相同,在名称前加上符号 ~ c、析构函数不可以有参数,因此不可以发生重载 d、程序在调用对象时候会自动调用构造,无须手动调用,而且只会调用一次
#include <iostream>
using namespace std;
class Person
{
public:
Person()
{
cout << "Person 构造函数的调用" << endl;
}
~Person()
{
cout << "Person的析构函数调用" << endl;
}
};
void test01()
{
Person p;
}
int main()
{
Person p;
system("pause");
return 0;
}
- 函数的分类及调用
(1)函数的分类: ? a.按参数分为: 有参构造和无参构造 b.? 按类型分为: 普通构造和拷贝构造
(2)函数的调用方式: ?a. 括号法 ? b.显示法 ?c. 隐式转换法.
#include <iostream>
using namespace std;
class Person
{
public:
Person()
{
cout << "无参构造函数" << endl;
}
Person(int a)
{
age = a;
cout << "有参构造函数" << endl;
}
Person(const Person &p)
{
age = p.age;
cout << "拷贝构造函数" << endl;
}
~Person()
{
cout << "析构函数" << endl;
}
public:
int age;
};
void test01 ()
{
Person p;
}
void test02()
{
Person p1;
Person p2(10);
Person p3(p2);
cout << "p2的年龄为" << p2.age << endl;
cout << "p3的年龄为" << p3.age << endl;
}
int main()
{
test01();
test02();
system("pause");
return 0;
}
- 拷贝构造函数的调用时机
C++中拷贝构造函数调用时机通常有三种情况
(1)使用一个已经创建完毕的对象来初始化一个新对象; (2)值传递的方式给函数参数传值; (3)以值方式返回局部对象。
#include <iostream>
using namespace std;
class Person
{
public:
Person()
{
cout << "Person默认构造函数调用" << endl;
}
Person(int age)
{
cout << "Person有参构造函数调用" << endl;
m_Age = age;
}
Person(const Person &p)
{
cout << "Person拷贝构造函数调用" << endl;
m_Age = p.m_Age;
}
~Person()
{
cout << "Person析构函数调用" << endl;
}
int m_Age;
};
void test01()
{
Person p1(20);
Person p2(p1);
cout << "p2的年龄:" << p2.m_Age << endl;
}
void doWork(Person p)
{
}
void test02()
{
Person p;
doWork(p);
}
Person doWork2()
{
Person p1;
cout << (int*)&p1 << endl;
return p1;
}
void test03()
{
Person p=doWork2();
cout << (int*)&p<< endl;
}
int main()
{
test03();
system("pause");
return 0;
}
- 构造函数调用规则
默认情况下,c++编译器至少给一个类添加3个函数
1.默认构造函数(无参,函数体为空)
2.默认析构函数(无参,函数体为空)
3.默认拷贝构造函数,对属性进行值拷贝
构造函数调用规则如下:
1.如果用户定义有参构造函数,c++不在提供默认无参构造,但是会提供默认拷贝构造
2.如果用户定义拷贝构造函数,c++不会再提供其他构造函数
#include <iostream>
using namespace std;
class Person
{
public:
Person()
{
cout << "person的无参函数调用" << endl;
}
Person(int age)
{
m_Age = age;
cout << "person的有参函数调用" << endl;
}
~Person()
{
cout << "Person的析构函数调用" << endl;
}
int m_Age;
};
void test02()
{
Person p(28);
Person p1(p);
cout << "p1的年龄是: " << p1.m_Age << endl;
}
int main()
{
test02();
system("pause");
return 0;
}
|