设计一个复数 Complex 类,用友元函数重载乘法运算符(*),用成员函数重 载除法运算符(D,完成两个复数对象的乘除法。 加法:(atbi) +(ctdi) = (atc) + (b+d)i; 减法:(a+bi)-(c+di) = (a-c) + (b-d)i; 乘法:(a+b用C++解决
时间: 2023-10-28 12:05:51 浏览: 94
好的,我了解了您的要求。以下是实现这个复数类的代码:
```c++
#include<iostream>
using namespace std;
class Complex{
private:
double real;
double imag;
public:
Complex(double r=0, double i=0):real(r), imag(i){} // 构造函数
// 友元函数,重载乘法运算符
friend Complex operator*(Complex& c1, Complex& c2){
Complex c;
c.real = c1.real*c2.real - c1.imag*c2.imag;
c.imag = c1.real*c2.imag + c1.imag*c2.real;
return c;
}
// 成员函数,重载除法运算符
Complex operator/(Complex& c){
Complex res;
double denominator = c.real*c.real + c.imag*c.imag;
res.real = (real*c.real + imag*c.imag) / denominator;
res.imag = (imag*c.real - real*c.imag) / denominator;
return res;
}
// 加法
Complex operator+(Complex& c){
Complex res;
res.real = real + c.real;
res.imag = imag + c.imag;
return res;
}
// 减法
Complex operator-(Complex& c){
Complex res;
res.real = real - c.real;
res.imag = imag - c.imag;
return res;
}
// 输出复数
void display(){
cout << "(" << real << "+" << imag << "i)" << endl;
}
};
int main(){
Complex c1(3, 4);
Complex c2(2, 5);
Complex c3 = c1 * c2;
Complex c4 = c1 / c2;
Complex c5 = c1 + c2;
Complex c6 = c1 - c2;
cout << "c1 * c2 = "; c3.display();
cout << "c1 / c2 = "; c4.display();
cout << "c1 + c2 = "; c5.display();
cout << "c1 - c2 = "; c6.display();
return 0;
}
```
在这个代码中,我们定义了一个名为`Complex`的类,它有两个私有成员变量`real`和`imag`,分别表示复数的实部和虚部。同时,我们定义了一个构造函数,用于初始化这两个成员变量。
接着,我们定义了一个友元函数`operator*`,用于重载乘法运算符。在这个函数中,我们按照复数乘法的公式计算出结果,并返回一个新的`Complex`对象。
然后,我们定义了一个成员函数`operator/`,用于重载除法运算符。在这个函数中,我们同样按照复数除法的公式计算出结果,并返回一个新的`Complex`对象。
接下来,我们分别定义了`operator+`和`operator-`函数,用于重载加法和减法运算符。这两个函数的实现比较简单,直接按照公式计算即可。
最后,我们在`main`函数中创建了两个复数对象`c1`和`c2`,并分别进行乘法、除法、加法和减法运算,输出结果。
阅读全文