Possible Duplicate:
why private value of the obj can be changed by class instance?
Consider the following (partial) code:
class Group {
private:
int id;
public:
void set_id(int);
int get_id();
bool operator==(const Group&);
};
bool Group::operator==(const Group& g) {
if(g.id == this->id) { /* id is private? */
return true;
}
return false;
}
The code compiles and results seem proper. However, in the if
part of the operator overloading implementation, we are directly accessing the private member of its argument - const Group& g
, but isn't such an access invalid?
Your operator==
is a member of your Group
class. Member functions can access any private
members of that class, not only for this
, but for any instance they can access.
If you think about it this behaviour is necessary, because otherwise access control would make methods for interaction of two or more instances (swap
, copy constructors, operators) impossible, unless the object has a public accessor to any member variable, which is used in such a method. Often enough that isn't desirable from a design point of view. Furthermore it would raise the bar for access control to high ("if I simply make that member public, I can spare me the pain...").
Concluding this code is perfectly valid (although I don't see why the if
is necessary, compared to simply using return g.id == this->id;
)