您的位置:首页 > 编程语言 > C语言/C++

【c++】用c++实现复数类及运算符的重载

2017-09-21 18:26 519 查看
#include<iostream>
using namespace std;
class Complex
{
public:
Complex(double real = 0.0, double image = 0.0)//构造函数
:_real(real)
, _image(image)
{

}
Complex(const Complex& c)//拷贝构造函数
{
_real = c._real;
_image = c._image;

}

Complex& operator=(const Complex& c)// =赋值运算符重载
{
if (this != &c)
{
_real = c._real;
_image = c._image;
}
return *this;

}
Complex operator+(const Complex& c)// +的重载
{
Complex temp;
temp._real = _real + c._real;
temp._image = _image + c._image;
return temp;
}
Complex operator-(const Complex& c)// - 的重载
{
Complex temp;
temp._real = _real - c._real;
temp._image = _image - c._image;
return temp;
}

Complex operator*(const Complex& c)// * 的重载
{
Complex temp;
temp._real = _real*c._real - _image*c._image;
temp._image = _real*c._image + _image*c._real;
return temp;

}
Complex operator/(const Complex& c)// /的重载
{
Complex temp;
temp._real = (_real*c._real - _image*c._image) / (c._real*c._real +
c._image*c._image);
temp._image = (_real*c._image + _image*c._real) / (c._real*c._real +
c._image*c._image);
return temp;

}
Complex* operator+=(const Complex& c)//+= 的重载
{

_real = _real + c._real;
_image =_image + c._image;
return this;
}
Complex* operator-=(const Complex& c)//-= 的重载
{

_real = _real -c._real;
_image = _real - c._image;
return this;
}
Complex *operator*=(const Complex& c)//*= 的重载
{

_real = _real*c._real - _image*c._image;
_image = _real*c._image + _image*c._real;
return this;

}
Complex* operator/=(const Complex& c)//   /= 的重载
{
_real = (_real*c._real - _image*c._image) / (c._real*c._real +
c._image*c._image);
_image = (_real*c._image + _image*c._real) / (c._real*c._real +
c._image*c._image);
return this;
}

private:
double _real;//复数实部
double _image;//复数虚部
};
int main()//主函数内进行测试验证
{
Complex d1(2.0, 3.0);
Complex d2(4.0 ,5.0);
Complex d3;
//d3 = d1 + d2;
//d3 = d1 - d2;
//d3 = d1*d2;
//d3 = d1 / d2;
//d1 += d2;
//d1 -= d2;
//d1 *= d2;
d1 /= d2;
return 0;

}
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: