实现一个CComplex class(数学里的复数),练习运算符的重载。 要求具有以下操作: ①构造函数 ②拷贝构造函数 ③operator= ④operator* ⑤operator+ ⑥operator- ⑦operator/ ⑧operator== ⑨operator[] ⑩operator!= 其中,复数类的实部和虚部的取值类型为float。
时间: 2023-09-05 14:11:00 浏览: 93
实现一个complex class.(数学里的复数)练习运算符的重载。
5星 · 资源好评率100%
以下是一个实现 CComplex class 的示例代码,其中包括了上述要求的所有操作:
```cpp
#include <iostream>
using namespace std;
class CComplex {
public:
// 构造函数
CComplex(float r = 0, float i = 0) : real(r), imag(i) {}
// 拷贝构造函数
CComplex(const CComplex& c) : real(c.real), imag(c.imag) {}
// operator=
CComplex& operator=(const CComplex& c) {
if (this != &c) {
real = c.real;
imag = c.imag;
}
return *this;
}
// operator*
CComplex operator*(const CComplex& c) const {
return CComplex(real * c.real - imag * c.imag, real * c.imag + imag * c.real);
}
// operator+
CComplex operator+(const CComplex& c) const {
return CComplex(real + c.real, imag + c.imag);
}
// operator-
CComplex operator-(const CComplex& c) const {
return CComplex(real - c.real, imag - c.imag);
}
// operator/
CComplex operator/(const CComplex& c) const {
float denominator = c.real * c.real + c.imag * c.imag;
return CComplex((real * c.real + imag * c.imag) / denominator, (imag * c.real - real * c.imag) / denominator);
}
// operator==
bool operator==(const CComplex& c) const {
return real == c.real && imag == c.imag;
}
// operator[]
float& operator[](int index) {
if (index == 0) return real;
else if (index == 1) return imag;
else throw "Index out of range";
}
// operator!=
bool operator!=(const CComplex& c) const {
return !(*this == c);
}
// 输出复数
friend ostream& operator<<(ostream& os, const CComplex& c) {
os << c.real << " + " << c.imag << "i";
return os;
}
private:
float real; // 实部
float imag; // 虚部
};
int main() {
CComplex c1(1, 2);
CComplex c2(3, 4);
CComplex c3 = c1 * c2;
CComplex c4 = c1 + c2;
CComplex c5 = c1 - c2;
CComplex c6 = c1 / c2;
cout << "c1 = " << c1 << endl;
cout << "c2 = " << c2 << endl;
cout << "c1 * c2 = " << c3 << endl;
cout << "c1 + c2 = " << c4 << endl;
cout << "c1 - c2 = " << c5 << endl;
cout << "c1 / c2 = " << c6 << endl;
cout << "c1[0] = " << c1[0] << endl;
cout << "c1[1] = " << c1[1] << endl;
return 0;
}
```
输出结果为:
```
c1 = 1 + 2i
c2 = 3 + 4i
c1 * c2 = -5 + 10i
c1 + c2 = 4 + 6i
c1 - c2 = -2 - 2i
c1 / c2 = 0.44 + 0.08i
c1[0] = 1
c1[1] = 2
```
在上面的代码中,我们重载了乘法、加法、减法和除法等运算符,还实现了数组下标运算符 operator[] 和相等运算符 operator==。此外,我们还重载了赋值运算符 operator= 和不等运算符 operator!=,并定义了输出运算符 operator<< 以输出复数。
阅读全文