设计一个复数Complex类,用友元函数重载乘法运算符(*),用成员函数重载除法运算符(/),完成两个复数对象的乘除法。
时间: 2024-03-02 17:49:28 浏览: 139
实现一个complex class.(数学里的复数)练习运算符的重载。
5星 · 资源好评率100%
好的,我可以为您编写一个复数Complex类的代码,实现乘法和除法运算符的重载。以下是代码:
```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*(const Complex& a, const Complex& b); // 友元函数重载乘法运算符
Complex operator/(const Complex& a); // 成员函数重载除法运算符
void display(); // 显示复数值
};
Complex operator*(const Complex& a, const Complex& b)
{
Complex c;
c.real = a.real * b.real - a.imag * b.imag;
c.imag = a.real * b.imag + a.imag * b.real;
return c;
}
Complex Complex::operator/(const Complex& a)
{
Complex c;
double denominator = a.real * a.real + a.imag * a.imag;
c.real = (real * a.real + imag * a.imag) / denominator;
c.imag = (imag * a.real - real * a.imag) / denominator;
return c;
}
void Complex::display()
{
if (imag >= 0)
cout << real << "+" << imag << "i" << endl;
else
cout << real << imag << "i" << endl;
}
int main()
{
Complex a(1, 2), b(3, -4), c;
c = a * b;
cout << "a * b = ";
c.display();
c = a / b;
cout << "a / b = ";
c.display();
return 0;
}
```
在这个代码中,我们定义了一个复数类Complex,包含实部和虚部,并且定义了一个构造函数来初始化这两个成员变量。我们使用友元函数重载乘法运算符,用成员函数重载除法运算符,实现对复数的乘除法运算。
在主函数中,我们定义了两个复数a和b,并分别对它们进行乘除法运算,最后显示计算结果。
阅读全文