还是用Complex例子
示例:
class Complex
{
private:
int Real;
int Image;
public:
Complex() :Real{ 0 }, Image{ 0 }
{
cout << "Create Complex" << this << endl;
}
Complex(int r, int i) :Real{ r }, Image{ i }
{
cout << "Create Complex(int int)" << this << endl;
}
Complex(const Complex& com) :Real(com.Real), Image(com.Image)
{
cout << "Copy Create Complex(const Complex&)" << this << endl;
}
~Complex()
{
cout << "Destroy Complex" << this << endl;
}
void Print() const
{
cout << "Real= " << Real << " Image= " << Image << endl;
}
Complex operator-(const Complex& com) const
{
int r = this->Real - com.Real;
int i = this->Image - com.Image;
return Complex(r, i);
}
};
运行结果:
结果分析:
在程序运行中,执行cc = ca.operator-(cb);时,其实编译器底层执行的是cc=ca-cb;//cc=ca.operator-(cb);//cc=operator(&ca,cb);,这就可以很清楚的知道减法运算法在编译器底层的运行情况,也更容易理解程序。
注意:在调用类中operator-(形参)函数时,我们要求调用其实现两个类对象进行相加,不需要改变这两个类对象的值,只需要将相加后的值给另外一个对象就行,因此,在写类函数——减法运算符函数时,给形参前边加上const,在对象前面加上引用符,即:形参是一个常引用,这个函数执行程序中加上const,如:
只需要将上述代码中的减法运算符 *** 作函数变为+=运算符 *** 作函数,+=函数如:
Complex &operator+=(const Complex& com)
{
this->Real += com.Real;
this->Image += com.Image;//+=要改变ca的值
return *this;
}
其与+函数不同的是,在程序执行中,不需要加const,例如执行this->Real += com.Real;时,是将 this->Real + com.Real;值不停的赋值给this->Real,如果在程序执行中加入const,说明最后的值不能变化,那么+=这个函数就有问题了。
注意:在c++中,operator+=是一个合法的函数名。在这个函数中,返回值是*this而不是com,如果返回值是com的话,那么相当于执行代码this->Real += com.Real时,执行完后返回的是com.Real,这是错误的。
运行结果:
int main中,执行cc = ca += cb;时,编译器底层其实执行的顺序为://ca+=cb;//ca.operator+=(cb);//operator+=(&ca,cb);//cc=operator+=(&ca,cb);
-=运算符和+=运算符是一样的,只不过在程序中的工作不一样,-=运算符在工作中,是将两个成员进行减法运算。
代码如下:
Complex& operator-=(const Complex& com)
{
this->Real -= com.Real;
this->Image -= com.Image;//+=要改变ca的值
return *this;
}
运行结果:
执行cc = ca -= cb;时,编译器底层执行的是://ca-=cb;//ca.operator-=(cb);//operator-=(&ca,cb);//cc=operator-=(&ca,cb);
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)