每一个非静态成员函数只会诞生一份函数实例,多个同类型的对象会共用一块代码。
C++提供特殊的对象指针(this指针)区分哪个对象调用该成员函数。
this指针指向调用该成员函数的对象,它的值是当前被调用的成员函数所在的对象的起始地址。
this指针的用途:
1.当形参和成员变量同名时,可以用this指针来区分;
2.在类的非静态成员函数中返回对象本身,可以使用return *this;
当调用成员函数b1.volume()时,编译系统就把对象b1的起始地址赋给this指针,于是在成员函数引用数据成员时,就按照this的指向找到对象b1的数据成员。
int volume(){return height*width*length;} b1.volume();
C++处理为:
int volume(Box *this){return this->height*this->width*this->length;} b1.volume(&b1);
说明:这些都是编译系统自动实现的。
#include<iostream>
using namespace std;
class Box
{
public:
Box(int height,int width,int length)
{
this->height=height;
this->width=width;
this->length=length;
} //用途1
int volume()
{
return height*width*length;
}
Box& Boxadd(Box &box)
{
this->height+=box.height;
this->width+=box.width;
this->length+=box.length;
return *this;
} //用途2
int height,width,length;
};
void test01()
{
Box b1(1,2,3);
cout<<b1.height<<" "<<b1.width<<" "<<b1.length<<endl;
}
void test02()
{
Box b1(1,2,3),b2(1,2,3);
b1.Boxadd(b2).Boxadd(b2);//链式编程思想
cout<<b1.height<<" "<<b1.width<<" "<<b1.length<<endl;
cout<<b1.volume()<<" "<<b2.volume()<<endl;
}
int main()
{
test01();
test02();
return 0;
}
运行结果: