我已经编写了一个复杂数字的类,其中我已经重载了运算符+并且一切正常,但我需要将其作为非成员函数实现,我不知道如何,或者为什么有一个好处这样做。
这是我的代码.h:
class Complex
{
private:
double a;
double b;
public:
Complex();
Complex(double aGiven);
Complex(double aGiven, double bGiven);
double aGetValue();
double bGetValue();
double operator[](bool getB);
Complex add(Complex &secondRational);
Complex operator+(Complex &secondRational);
}
的.cpp:
Complex Complex::add(Complex &secondRational)
{
double c = secondRational.aGetValue();
double d = secondRational.bGetValue();
double anew = a+c;
double bnew = b+d;
return Complex(anew,bnew);
}
Complex Complex::operator+(Complex &secondRational)
{
return add(secondRational);
}
非常感谢任何有关如何将这些作为非会员功能的帮助!
答案 0 :(得分:1)
以下是该类之外的加法运算符:
Complex operator+(const Complex& lhs, const Complex& rhs) {
//implement the math to add the two
return Complex(lhs.aGetValue() + rhs.aGetValue(),
lhs.bGetValue() + rhs.bGetValue());
}
当然,您需要将aGetValue()
和bGetValue()
声明为const
:
double aGetValue() const {return a;}
double bGetValue() const {return b;}
答案 1 :(得分:0)
您可以向Complex
班级
class Complex {
// blah....
friend Complex operator+(Complex const& a, Complex const & b);
};
重载运算符可以访问Complex的私有成员。
答案 2 :(得分:0)
算术运算的常用方法是将运算符的反身版本定义为成员,将纯版本定义为非成员,使用反身版本实现它们:
class complex {
public:
const complex& operator+=(const complex& rhs) {
real += rhs.real;
imag += rhs.imag;
return *this;
}
};
complex operator+(const complex& lhs, const complex& rhs) {
complex res(lhs);
res += rhs;
return res;
}
答案 3 :(得分:0)
pippin1289如何解释。
为什么在下面解释:
想象一下,需要使用类的对象作为
Complex c3 = 5 + c1;// for c3 object c1's real part (a) added with 5
由于C ++保留了操作数的顺序。编译器将以上添加调用解析为 5.operator +(const Complex& other); //这是不可能的 因此,通过自由功能使其超载。
您的班级通过公共接口(例如aGetValue()和bGetValue)公开必要的信息。 因此,这个免费的重载+运算符函数不一定是类的朋友。
此外,由于它有助于降低封装程度,因此首选非朋友非成员函数。 这在这里解释==> http://www.drdobbs.com/cpp/how-non-member-functions-improve-encapsu/184401197?pgno=1