c++写复数类的加减法
时间: 2023-11-22 12:54:41 浏览: 103
c++ 复数类 加减乘
以下是一个简单的复数类,包括加法和减法:
```c++
#include <iostream>
using namespace std;
class Complex {
public:
Complex(double r = 0, double i = 0) : real(r), imag(i) {}
Complex operator+(const Complex& c) const {
return Complex(real + c.real, imag + c.imag);
}
Complex operator-(const Complex& c) const {
return Complex(real - c.real, imag - c.imag);
}
void print() {
cout << real << " + " << imag << "i" << endl;
}
private:
double real, imag;
};
int main() {
Complex a(1, 2), b(3, 4);
Complex c = a + b;
Complex d = a - b;
c.print(); // 输出 4 + 6i
d.print(); // 输出 -2 - 2i
return 0;
}
```
在上面的代码中,我们定义了一个复数类 `Complex`,其中包括实部和虚部。我们重载了 `+` 和 `-` 运算符,使得两个复数可以进行加法和减法运算。最后我们在 `main` 函数中测试了这两个运算符的功能。
阅读全文