#include<iostream>
using namespace std;
class Test
{
public:
Test(int a,int b)
{
this->a = a;
this->b = b;
}
void printT()
{
cout << "a = " << this->a << ", b = " << this->b << endl;
}
int getA()
{
return this->a; //要常使用this 增加可读性
}
int getB()
{
return this->b; //要常使用this 增加可读性
}
//2. 成员方法
Test TestAdd(Test &another)
{
Test temp(this->a + another.a,this->b + another.b);//同类之间没有私处
return temp;
}
//3. +=方法
//想对一个对象连续调用成员方法
//需要返回引用。
Test& TestAdd2(Test &another)
{
this->a += another.a;
this->b += another.b;
return *this;//如果想返回一个对象的本身,在成员方法中用*this返回
}
private:
int a;
int b;
};
//1. 在全局提供一个两个Test相加的函数
Test TestAdd(Test &t1,Test &t2)
{
Test temp(t1.getA()+t2.getA(),t1.getB()+t2.getB());
return temp;
}
int main()
{
Test t1(10,20);
Test t2(100,200);
Test t3 = TestAdd(t1,t2);
t3.printT();
Test t4 = t1.TestAdd(t2);
t4.printT();
//如果想对一个对象连续调用成员方法,
//因为每次都会改变对象本身,所以成员方法需要返回引用。
t1.TestAdd2(t2).TestAdd2(t2);
t1.printT();
return 0;
}
总结:
同类对象间没有私处,异类对象间有友元。
想对一个对象连续调用成员方法,因为每次都会改变对象本身,故需要成员方法要返回引用。
如果想返回一个对象的本身,在成员方法中用*this返回。