I've seen many tutorials and tried to find the answer on stackoverflow but with no success.
What I'm not sure of is; is there some praxis when to return by value or by reference, when overloading an operator?
For e.g.
Class &operator+(){
Class obj;
//...
return obj;
}
or the same thing but by value
Class operator+(){
Class obj;
//...
return obj;
}
And I'd like to mention, I've noticed that in almost 90% of cases when returning the same object (*this
), is being referenced on the same object returned. Could someone explain why is that so, as well?
Yes, there are some canonical forms found here. They don't all have the same form - they vary by operator. The general advice is to follow the semantics of the built-in types. As with all functions, general rules still apply, such as not returning references to local variables (as shown in the OP).
E.g. (found in the link above) given the addition operator of the question;
The
operator+
is a non-member method (often as afriend
) and returns by value - this corresponds to the semantics of the built in types. Similarly, theoperator+=
is a member method and returns by reference (an updated version of*this
).If the return type is by-value (
X operator+
), thenreturn *this;
means that a copy of the current object (what is pointed to bythis
) is made and returned.If the return type is by-reference (
X& operator+
), thenreturn *this;
means that a reference to the current object (what is pointed to bythis
) is returned (i.e. not a copy).