I am trying to implement a class COMPLEX in C++ and overload the arithmetic operators as well as the '<<' and '>>' operators for input/output. Individually and also when cascaded the arithmetic operators work as expected - but i am unable to obtain correct results when trying to execute statements such as:
cout << "something" << complex1 + complex2 << "\n";
where complex1 and complex2 are objects of the class COMPLEX.
snippets of class definition:
class COMPLEX{
int a; // Real part
int b; // Imaginary part
public:
COMPLEX operator = (COMPLEX );
COMPLEX operator + (COMPLEX ) const;
friend istream& operator >> (istream &, COMPLEX &);
friend ostream& operator << (ostream &, COMPLEX &);
-snip-
}
COMPLEX COMPLEX::operator = (COMPLEX t_c) {
return COMPLEX(a = t_c.a, b = t_c.b);
}
COMPLEX COMPLEX::operator + (COMPLEX t_c) const{
return COMPLEX(a + t_c.a, b + t_c.b);
}
istream& operator >> (istream &i_s, COMPLEX &t_c){
i_s >> t_c.a >> t_c.b;
return i_s;
}
ostream& operator << (ostream &o_s, COMPLEX &t_c){
o_s << t_c.a << "+" << t_c.b << "i";
return o_s;
}
apart from this i have also overloaded operator.
When ever i try to cascade << with any other overloaded operator, the overloaded << friend function is not getting called. Instead the operator is getting called and the result of that is being displayed.
The problem is that your stream insertion operator is defined as
This takes a non-const reference to a
COMPLEX
object as the second parameter. When you try writingThe value of
a + b
is an rvalue, not an lvalue, because it's the value returned by the functionoperator +
. In C++, you cannot bind a reference to an rvalue, since then you could do Bad Things like this:The problem here is that if we can bind the reference
c
to the temporary object returned bya + b
, then we could use the reference to make changes to that object. But this doesn't make any sense -a + b
is the value of an expression, not an actual object.This is the same problem that's going on here. Your
operator <<
function can't takea + b
as a second parameter becausea + b
is an rvalue.To fix this, you can change
operator <<
to takeconst
reference to a COMPLEX:This works because in C++ you can bind const references to rvalues. The rationale behind this is that if you have a const reference to a temporary, you can't make any changes to that temporary object, so the above example with binding a reference to
a + b
is no longer a problem.In general, any overloaded operator that takes in a parameter whose type is another instance of the class that doesn't modify that instance should take its parameter by const reference. This goes for things like
operator =
,operator +
, etc. because it avoids this problem.