题:
定义一个复数类Complex,重载运算符“+”、“-”、“*”、“/”,使之能用于复数的加、减、乘、除运算,运算符重载函数作为Complex类的成员函数。编写程序,分别求两个复数之和、差、积、商。
#include<iostream>
using namespace std;
class Complex
{
public:
double real;
double imag;
Complex(double, double);
Complex operator+(const Complex& a);
Complex operator-(const Complex& b);
Complex operator*(const Complex& c);
Complex operator/(const Complex& d);//运算符重载
};
Complex::Complex(double r = 0, double i = 0) :real(r), imag(i) {
}//列表初始化
Complex Complex::operator+(const Complex& a)
{
return Complex(real + a.real, imag + a.imag);
}//运算符重载“+”
Complex Complex::operator-(const Complex& b)
{
return Complex(real - b.real, imag - b.imag);
}//运算符重载“-”
Complex Complex::operator*(const Complex& c)
{
return Complex(real * c.real - imag * c.imag, imag * c.real + real * c.imag);
}//运算符重载“*”
Complex Complex::operator/(const Complex& d)
{
return Complex((real * d.real + imag * d.imag) / (d.real * d.real + d.imag * d.imag), (imag * d.real - real * d.imag) / (d.real * d.real + d.imag * d.imag));
}//运算符重载“/”
int main()
{
Complex complex1(2, 4);
Complex complex2(1, 2);
Complex complex3;
complex3 = complex1 + complex2;
cout << "(" << complex3.real << "," << complex3.imag << ")" << endl;
complex3 = complex1 - complex2;
cout << "(" << complex3.real << "," << complex3.imag << ")" << endl;
complex3 = complex1 * complex2;
cout << "(" << complex3.real << "," << complex3.imag << ")" << endl;
complex3 = complex1 / complex2;
cout << "(" << complex3.real << "," << complex3.imag << ")" << endl;
return 0;
}