编程实现:定义一个复数类Complex,使得下面的代码能够工作。 Complex c1(3,5); //用复数3+5i初始化c1 Complex c2= 4.5; //用实数4.5初始化c2 c1.add (c2); //将c1与c2相加,结果保存在c1中 c1.show(); //将c1输出(这时的结果应该是7.5+5i) 请提交完整的程序代码(要求使用构造函数的重载)。 其中主函数如下: int main() { Complex c1(3, 5); Complex c2 = 4.5; c1.show(); c1.add(c2); c1.show(); return 0; }
时间: 2024-03-14 14:43:55 浏览: 223
以下是实现了要求的复数类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;
}
Complex(const Complex& c) { // 复制构造函数
real = c.real;
imag = c.imag;
}
void add(Complex c) { // 将c与当前复数相加
real += c.real;
imag += c.imag;
}
void show() { // 输出当前复数
if(imag >= 0)
cout << real << "+" << imag << "i" << endl;
else
cout << real << imag << "i" << endl;
}
};
int main() {
Complex c1(3, 5);
Complex c2 = 4.5;
c1.show();
c1.add(c2);
c1.show();
return 0;
}
```
输出结果为:
```
3+5i
7.5+5i
```
阅读全文