我对this
指针的含义以及确切使用方法感到困惑。在下面的示例中给出相同的输出。将引用运算符(&)放在setX
和setY
函数中有什么区别?
#include<iostream>
using namespace std;
class Test
{
private:
int x;
int y;
public:
Test (int x = 0, int y = 0) { this->x = x; this->y = y; }
Test setX(int a) { x = a; return *this; }
Test setY(int b) { y = b; return *this; }
void print() { cout << "x = " << x << " y = " << y << endl; }
};
int main()
{
Test obj1;
obj1.setX(10).setY(20);
obj1.print();
return 0;
}
带有引用运算符
#include<iostream>
using namespace std;
class Test
{
private:
int x;
int y;
public:
Test (int x = 0, int y = 0) { this->x = x; this->y = y; }
Test &setX(int a) { x = a; return *this; }
Test &setY(int b) { y = b; return *this; }
void print() { cout << "x = " << x << " y = " << y << endl; }
};
int main()
{
Test obj1;
obj1.setX(10).setY(20);
obj1.print();
return 0;
}
答案 0 :(得分:3)
按值返回时,如
Test setX(int a) { x = a; return *this; }
然后返回对象的 副本 。而且该副本与原始对象完全无关。
当您返回引用时,您将返回对实际对象的引用,则不会进行复制。
由于这种差异,您显示的两个程序应该 not 产生相同的输出。第一个应该说x
等于10
(因为您在x
对象上设置了obj1
),然后又在y
上设置了{ setX
,表示obj1.y
仍为零。 See e.g. this example。