用c++定义一个复数类Complex,包含实部和虚部两个成员变量。然后声明了一个友元函数operator+,最后创建了两个复数对象c1和c2,并使用友元函数计算它们的和。
时间: 2024-09-22 19:04:08 浏览: 43
在C++中,我们可以定义一个名为`Complex`的类来表示复数,它有两个私有成员变量:`real`代表实部,`imaginary`代表虚部。为了让用户能够直接相加复数,我们将其`operator +`作为类的一个友元函数。以下是这个类的定义和使用的示例:
```cpp
#include <iostream>
class Complex {
private:
double real;
double imaginary;
public:
// 构造函数
Complex(double r = 0, double i = 0) : real(r), imaginary(i) {}
// 获取复数的实部和虚部
double getReal() const { return real; }
double getImaginary() const { return imaginary; }
// 友元函数:复数加法运算符
friend Complex operator+(const Complex& c1, const Complex& c2);
// 显示复数的格式
void display() const {
std::cout << real << " + " << imaginary << "i" << std::endl;
}
};
// 实现友元函数
Complex operator+(const Complex& c1, const Complex& c2) {
Complex result(c1.real + c2.real, c1.imaginary + c2.imaginary);
return result;
}
int main() {
// 创建复数对象
Complex c1(3, 4);
Complex c2(5, -2);
// 计算并显示它们的和
Complex sum = c1 + c2;
sum.display();
return 0;
}
```
在这个例子中,当我们创建`sum = c1 + c2`时,实际上是调用了`Complex`类的`operator +`朋友函数来进行加法操作。
阅读全文