任务
定义一个复数类 Complex
,重载运算符“+”
,使之能用于复数的加法运算与输出操作。 (1)参加运算的两个运算量可以都是类对象,也可以其中有一个是实数,顺序任意。例如,c1+c2,d+c1,c1+d
均合法(设 d
为实数,c1,c2
为复数)。 (2)输出的算数,在复数两端加上括号,实部和虚部均保留两位小数,如(8.23+2.00i
)、(7.45-3.40i
)、(-3.25+4.13i
)等。 编写程序,分别求两个复数之和、整数和复数之和,并且输出。
请在下面的程序段基础上完成设计:
#include <iostream>
#include <iomanip>
using namespace std;
class Complex
{
public:
Complex():real(0),imag(0) {}
Complex(double r,double i):real(r),imag(i) {}
Complex operator+(Complex &);
Complex operator+(double &);
friend Complex operator+(double&,Complex &);
friend ostream& operator << (ostream& output, const Complex& c);
private:
double real;
double imag;
};
//将程序需要的其他成份写在下面,只需完善begin到end部分的代码
//******************** begin ********************
//********************* end ********************
int main()
{
//测试复数加复数
double real,imag;
cin>>real>>imag;
Complex c1(real,imag);
cin>>real>>imag;
Complex c2(real,imag);
Complex c3=c1+c2;
cout<<"c1+c2=";
cout<<c3;
//测试复数加实数
double d;
cin>>real>>imag;
cin>>d;
c3=Complex(real,imag)+d;
cout<<"c1+d=";
cout<<c3;
//测试实数加复数
cin>>d;
cin>>real>>imag;
c1=Complex(real,imag);
c3=d+c1;
cout<<"d+c1=";
cout<<c3;
return 0;
}
测试说明
输入描述: 一个复数的实部和虚部,另一个复数的实部和虚部 一个复数的实部和虚部,一个实数 一个实数,一个复数的实部和虚部
输出描述: 两个复数之和 复数和实数之和 实数和复数之和。
测试输入:
3 4 5 -10
3 4 5
5 3 4
预期输出: c1+c2=(8.00-6.00i)
c1+d=(8.00+4.00i)
d+c1=(8.00+4.00i)
#include <iostream>
#include <iomanip>
using namespace std;
class Complex
{
public:
Complex():real(0),imag(0) {}
Complex(double r,double i):real(r),imag(i) {}
Complex operator+(Complex &); //复数之和
Complex operator+(double &); //整数和复数之和
friend Complex operator+(double&,Complex &);
friend ostream& operator << (ostream& output, const Complex& c);
private:
double real;
double imag;
};
//将程序需要的其他成份写在下面,只需完善begin到end部分的代码
//******************** begin ********************
Complex Complex::operator+(Complex &c) {
return Complex(real+c.real,imag+c.imag);
}
Complex Complex::operator+(double &d) {
return Complex(real+d,imag);
}
Complex operator+(double &d, Complex &c) {
return Complex(d+c.real,c.imag);
}
ostream& operator << (ostream& output, const Complex& c) {
output << "(" << fixed << setprecision(2) << c.real << showpos << c.imag << "i" << ")";
return output;
}
//********************* end ********************
int main()
{
//测试复数加复数
double real,imag;
cin>>real>>imag;
Complex c1(real,imag);
cin>>real>>imag;
Complex c2(real,imag);
Complex c3=c1+c2;
cout<<c3;
//测试复数加实数
double d;
cin>>real>>imag;
cin>>d;
c3=Complex(real,imag)+d;
//测试实数加复数
cin>>d;
cin>>real>>imag;
c1=Complex(real,imag);
c3=d+c1;
return 0;
}