/*
*Copyright (c) 2013, 烟台大学计算机学院
* All rights reserved.
* 作 者:申玉迪
* 完成日期:2014 年 4 月 22 日
* 版 本 号:v1.0
* 问题描述:完整实现复数类中的运算符重载
*/
#include <iostream>
using namespace std;
class Complex
{
public:
Complex()
{
real=0;
imag=0;
}
Complex(double r,double i)
{
real=r;
imag=i;
}
friend Complex operator+(Complex &c1,Complex &c2);
friend Complex operator-(Complex &c1,Complex &c2);
friend Complex operator+(Complex &c1,double d);
friend Complex operator-(Complex &c1,double d);
friend Complex operator*(Complex &c1,double d);
friend Complex operator/(Complex &c1,double d);
friend Complex operator+(double d,Complex &c1);
friend Complex operator-(double d,Complex &c1);
friend Complex operator*(double d,Complex &c1);
friend Complex operator/(double d,Complex &c1);
friend Complex operator-(Complex &c1);
friend ostream& operator<<(ostream&,Complex&);
friend istream& operator>>(istream&,Complex&);
private:
double real;
double imag;
};
//计算c+d;
Complex operator+(Complex &c1,double d)
{
return Complex((c1.real)+d,c1.imag);
}
Complex operator+(double d,Complex &c1)
{
return Complex(d+c1.real,c1.imag);
}
Complex operator-(Complex &c1,double d)
{
return Complex((c1.real)-d,c1.imag);
}
Complex operator-(double d,Complex &c1)
{
return Complex(d-c1.real,c1.imag);
}
Complex operator*(Complex &c1,double d)
{
return Complex((c1.real)*d,c1.imag);
}
Complex operator*(double d,Complex &c1)
{
return Complex(d*c1.real,c1.imag);
}
Complex operator/(Complex &c1,double d)
{
return Complex((c1.real)/d,c1.imag);
}
Complex operator/(double d,Complex &c1)
{
return Complex(d/c1.real,c1.imag);
}
Complex operator-(Complex &c1)
{
Complex c2;
c2.real=0-c1.real;
c2.imag=0-c1.imag;
return c2;
}
istream& operator>>(istream& input,Complex& c)
{
char a,i;
while(1)
{
cout<<"请输入实部和虚部:";
cin>>c.real>>a>>c.imag>>i;
if(a=='+'||a=='-'||i=='i')
{
break;
}
else
cout<<"格式有误,请重新输入。";
}
return input;
}
ostream& operator<<(ostream& output,Complex& c)
{
if(c.imag>=0)
{
cout<<c.real<<"+"<<c.imag<<"i"<<endl;
}
else
{
cout<<c.real<<c.imag<<"i"<<endl;
}
return output;
}
Complex operator+(Complex &c1,Complex &c2)
{
Complex c3;
c3.real=c1.real+c2.real;
c3.imag=c1.imag+c2.imag;
return c3;
}
Complex operator-(Complex &c1,Complex &c2)
{
Complex c3;
c3.real=c1.real-c2.real;
c3.imag=c1.imag-c2.imag;
return c3;
}
//下面定义用于测试的main()函数
int main()
{
Complex c1,c2,c3;
double d=3;
cin>>c1>>c2;
c3=c1+d;
cout<<"c1+d="<<c3;
c3=d-c1;
cout<<"d-c1="<<c3;
c3=d*c1;
cout<<"d*c1="<<c3;
c3=c1/d;
cout<<"c1/d="<<c3;
c3=c1+c2;
cout<<"c1+c2="<<c3;
c3=c1-c2;
cout<<"c1-c2="<<c3;
return 0;
}