Possible Duplicate:
What are the differences between pointer variable and reference variable in C++?
This is confusing me:
class CDummy
{
public:
int isitme (CDummy& param);
};
int CDummy::isitme (CDummy& param)
{
if (¶m == this)
{
return true; //ampersand sign on left side??
}
else
{
return false;
}
}
int main ()
{
CDummy a;
CDummy* b = &a;
if ( b->isitme(a) )
{
cout << "yes, &a is b";
}
return 0;
}
In C & usually means the address of a var. What does it mean here? Is this a fancy way of pointer notation?
The reason I am assuming it is a pointer notation because this is a pointer after all and we are checking for equality of two pointers.
I am studying from cplusplus.com and they have this example.
To start, note that
is a special pointer ( == memory address) to the class its in. First, an object is instantiated:
Next, a pointer is instantiated:
Next, the memory address of
a
is assigned to the pointerb
:Next, the method
CDummy::isitme(CDummy ¶m)
is called:A test is evaluated inside this method:
Here's the tricky part. param is an object of type CDummy, but
¶m
is the memory address of param. So the memory address of param is tested against another memory address called "this
". If you copy the memory address of the object this method is called from into the argument of this method, this will result intrue
.This kind of evaluation is usually done when overloading the copy constructor
Also note the usage of
*this
, wherethis
is being dereferenced. That is, instead of returning the memory address, return the object located at that memory address.