编写一个程序,要求(1)声明一个类complex,定义类complex的两个对象c1和c2,对象c1通过构造函数直接定义指定复数的实部和虚部(类私有数据为double类型:real和imag)为2.5及3.7,对象c2通过构造函数直接指定复数的实部和虚部为4.2及6.5(2)定义中友元运算符重载函数,它以c1,c2对象为参数,调用该函数时能返回两个复数对象相加操作(3)定义函数成员print,调用该函数时,以格式“(real,imag)”输出当前对象的实部和虚部,例如:对象的实部和虚部分别是4.2和6.5,则调用print函数输出格式为:(4.2,6.5);(4)编写主程序,计算出复数对象c1和
时间: 2024-03-24 20:36:38 浏览: 43
实验一 类和对象实验(一).docx
c2的和,并输出结果。
以下是符合要求的程序代码:
```c++
#include <iostream>
using namespace std;
class complex {
private:
double real, imag;
public:
complex(double r, double i) : real(r), imag(i) {} // 构造函数
friend complex operator+(complex& c1, complex& c2); // 友元运算符重载函数
void print() { // 成员函数
cout << "(" << real << "," << imag << ")" << endl;
}
};
complex operator+(complex& c1, complex& c2) { // 友元运算符重载函数的定义
complex c(0, 0);
c.real = c1.real + c2.real;
c.imag = c1.imag + c2.imag;
return c;
}
int main() {
complex c1(2.5, 3.7); // 定义对象c1
complex c2(4.2, 6.5); // 定义对象c2
complex c3 = c1 + c2; // 计算c1和c2的和
c3.print(); // 输出结果
return 0;
}
```
输出结果为:
```
(6.7,10.2)
```
阅读全文