本题考虑对运算符进行重载。分别重载复数运算的+,-,*,/,=(赋值)运算符,以及比较大小的<=(复数1的模是否小于等于复数2的模)运算符,其中,比较运算符按复数的模进行比较。测试程序根据输入的mode值分别测试各个函数是否编写正确。
函数接口定义:
在这里描述函数接口:
i#include
using namespace std;
class Complex {
double real;
double imag;
public:
//构造函数
Complex(double real=0, double imag=0);
//operator+-*/=操作符函数
Complex operator+(const Complex& c) const;
Complex operator-(const Complex& c) const;
Complex operator*(const Complex& c) const;
Complex operator/(const Complex& c) const;
Complex operator=(const Complex& c);
//operator <=操作符函数
bool operator<=(const Complex& c) const;
//友元函数声明以帮助operator<<()函数访问Complex类的私有成员
friend ostream& operator<<(ostream& out, const Complex& c);
};
//n个复数,按模从小到达排序
void bubble_sort(Complex[],int n);
bubble_sort函数按冒泡排序的算法对n个复数按模从小到大的顺序排序。
裁判测试程序样例:
在这里给出函数被调用进行测试的例子:
int main() {
double dReal1, dImag1, dReal2, dImag2;
int mode;
cin>>mode;
cin>>dReal1>>dImag1>>dReal2>>dImag2;
Complex c1(dReal1, dImag1);
Complex c2(dReal2, dImag2);
Complex c[6] = {c1,c2,c1+c2,c1-c2,c1*c2,c1/c2};
switch(mode)
{
case 1: cout << c[0]<<" "<<c[1];break;
case 2: cout << c[2];break;
case 3: cout << c[3];break;
case 4: cout << c[4];break;
case 5: cout << c[5];break;
case 6: bubble_sort(c,6);
for(int i=0;i<6;i++)
cout<<c[i]<<" ";
}
return 0;
}
/* 请在这里填写答案 */
输入样例1:
在这里给出一组输入。例如:
1
1 2 3 4
输出样例1:
在这里给出相应的输出。例如:
1+2i 3+4i
注意:复数的输出,实部和虚部即使为0也输出。
输入样例2:
在这里给出一组输入。例如:
2
4 5 6 7
输出样例2:
在这里给出相应的输出。例如:
10+12i
注意:复数的输出,实部和虚部即使为0也输出。
写出来了吗 吨吨吨
蹲一个
Complex::Complex(double real ,double imag )
{
this->real = real;
this->imag = imag;
}
Complex Complex::operator+(const Complex & c) const
{
return Complex(real + c.real, imag + c.imag);
}
Complex Complex::operator-(const Complex& c) const
{
return Complex(real - c.real, imag - c.imag);
}
Complex Complex::operator*(const Complex& c) const
{
return Complex(realc.real-imagc.imag,realc.imag+imagc.real);
}
Complex Complex::operator/(const Complex& c)const
{
return Complex((realc.real+imagc.imag)/(c.realc.real+c.imagc.imag),(imagc.real-realc.imag)/(c.realc.real+c.imagc.imag));
}
Complex Complex::operator=(const Complex& c)
{
return Complex(this->real = c.real, this->imag = c.imag);
}
bool Complex::operator<=(const Complex& c) const
{
if (realreal+imagimag<=c.realc.real+c.imagc.imag)
{
return 1;
}
else
{
return 0;
}
}
ostream& operator<<(ostream& out, const Complex& c)
{
out << c.real;
if (c.imag >=0)
{
out << "+";
}
out << c.imag<<"i";
return out;
}
void bubble_sort(Complex fushu[], int n)
{
Complex cnt;
for (int i = 0; i < n - 1; ++i) //比较n-1轮
{
for (int j = 0; j < n - 1 - i; ++j) //每轮比较n-1-i次,
{
if (fushu[j+1]<=fushu[j])
{
cnt = fushu[j];
fushu[j] = fushu[j + 1];
fushu[j + 1] = cnt;
}
}
}
}