15第九周项目2——复数类中的运算符重载(续)2
15第九周项目二——复数类中的运算符重载(续)2

/*
* Copyright (c) 2014, 烟台大学计算机学院
* All rights reserved.
* 文件名称:test.cpp
* 作 者:李晓凯
* 完成日期:2015年 5 月 8 日
* 版 本 号:v1.0
*
* 问题描述:用完整类,定义复数类重载运算符+、-、*、/,和取负运算符“-”,使之用于复数的加减乘除,并定义Complex类中的<<和>>运算符的重载实现输入和输出。
* 输入描述:
* 程序输出:运算结果
*/
代码:
#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,Complex &c2); friend Complex operator/(Complex &c1,Complex &c2); friend Complex operator+(double d,Complex &c2); friend Complex operator-(double d,Complex &c2); friend Complex operator*(double d,Complex &c2); friend Complex operator/(double d,Complex &c2); Complex operator-(); friend istream& operator>>(istream&,Complex&); friend ostream& operator<<(ostream&,const Complex&); private: double real; double imag; }; //下面定义成员函数 Complex operator+(Complex &c1,Complex &c2) { Complex c; c.real=c1.real+c2.real; c.imag=c1.imag+c2.imag; return c; } Complex operator-(Complex &c1,Complex &c2) { Complex c; c.real=c1.real-c2.real; c.imag=c1.imag-c2.imag; return c; } Complex operator*(Complex &c1,Complex &c2) { Complex c; c.real=c1.real*c2.real-c1.imag*c2.imag; c.imag=c1.imag*c2.real+c1.imag*c2.imag; return c; } Complex operator/(Complex &c1,Complex &c2) { Complex c; double d; d=c2.real*c2.real+c2.imag*c2.imag; c.real=(c1.real*c2.real+c1.imag*c2.imag)/d; c.imag=(c1.imag*c2.real-c1.real*c2.imag)/d; return c; } Complex operator+(double d,Complex &c2) { Complex c; c.real=d+c2.real; c.imag=d+c2.imag; return c; } Complex operator-(double d,Complex &c2) { Complex c; c.real=d-c2.real; c.imag=d-c2.imag; return c; } Complex operator*(double d,Complex &c2) { Complex c; c.real=d*c2.real; c.imag=d*c2.imag; return c; } Complex operator/(double d,Complex &c2) { Complex c; c.real=c2.real/d; c.imag=c2.imag/d; return c; } Complex Complex::operator-() { Complex m; m.real=-real; m.imag=-imag; return m; } istream& operator>>(istream& input,Complex& c) { int m,n; input>>m>>n; c.real=m; c.imag=n; return input; } ostream& operator<<(ostream& output,const Complex& c) { output<<"("<<c.real<<","<<c.imag<<"i)"; return output; } //下面定义用于测试的main()函数 int main() { Complex c1,c2,c3; int d=5; cin>>c1; cin>>c2; cout<<"c1="<<c1<<endl; cout<<"c2="<<c2<<endl; cout<<"d="<<d<<endl<<endl; c3=c1+c2; cout<<"c1+c2="<<c3<<endl; c3=c1-c2; cout<<"c1-c2="<<c3<<endl; c3=c1*c2; cout<<"c1*c2="<<c3<<endl; c3=c1/c2; cout<<"c1/c2="<<c3<<endl; cout<<"d+c1="<<(d+c1)<<endl; cout<<"d-c1="<<(d-c1)<<endl; cout<<"d*c1="<<(d*c1)<<endl; cout<<"d/c1="<<(d/c1)<<endl; c3=-c1; cout<<"-c1="<<c3<<endl; return 0; }