01.分析以下程序执行结果 #include<iostream.h> int add(int x,int y) { return x+y; } double add(double x,double y) { return x+y; } void main() { int a=4,b=6; double c=2.6,d=7.4; cout<<add(a,b)<<","<<add(c,d)<<endl; } 解: 本题说明函数重载的使用方法, 这里有两个add()函数,一个add()函数的参数与返回值为int型,另一个的参数与返回值为double型,它们是根据参数类型自动区分的。 所以输出为: 10,10 -----------------------------------------------
02.分析以下程序的执行结果 #include<iostream.h> class Sample { int i; double d; public: void setdata(int n){i=n;} void setdata(double x){d=x;} void disp() { cout<<"i="<<i<<",d="<<d<<endl; } }; void main() { Sample s; s.setdata(10); s.setdata(15.6); s.disp(); } 解: 本题说明重载成员函数的使用方法。setdata()成员函数有两个,根据其参数类型加以区分。 所以输出为:i=10, d=15.6
-----------------------------------------------
03.分析以下程序的执行结果 #include<iostream.h> class Sample { int n; public: Sample(){} Sample(int i){n=i;} Sample &operator =(Sample); void disp(){cout<<"n="<<n<<endl;} }; Sample &Sample::operator=(Sample s) { Sample::n=s.n; return *this; } void main() { Sample s1(10),s2; s2=s1; s2.disp(); } 解: 本题说明重载运算符(=)的使用方法。operator=成员函数实现两个对象的赋值。 所以输出为: n=10
-------------------------------------------------
04.设计一个点类Point,实现点对象之间的各种运算。 解: Point类提供了6个运算符重载函数(参加程序中的代码和注释),以实现相应的运算。 本题程序如下: #include<iostream.h> class Point { int x,y; public: Point(){x=y=0;} Point(int i,int j){x=i;y=j;} Point(Point &); ~Point(){} void offset(int,int); // 提供对点的偏移 void offset(Point); // 重载,偏移量用Point类对象表示 bool operator==(Point); // 运算符重载,判断两个对象是否相同 bool operator!=(Point); // 运算符重载,判断两个对象是否不相同 void operator+=(Point); // 运算符重载,将两个点对象相加 void operator-=(Point); // 运算符重载,将两个点对象相减 Point operator+(Point ); // 运 算符重 载,相加并将结果放在左操作数中 Point operator-(Point); // 运算符重载,相减并将结果放在左操作数中 int getx(){return x;} int gety(){return y;} void disp() { cout<<"("<<x<<","<<y<<")"<<endl; } }; Point::Point(Point &p) { x=p.x; y=p.y; } void Point::offset(int i,int j) { x+=i; y+=j; } void Point::offset(Point p) { x+=p.getx(); y+=p.gety(); } bool Point::operator==(Point p) { if(x==p.getx()&&y==p.gety()) return 1; else return 0; } bool Point::operator!=(Point p) { if(x!=p.getx()||y!=p.gety()) return 1; else return 0; } void Point::operator+=(Point p) { x+=p.getx(); y+=p.gety(); } void Point::operator-=(Point p) { x-=p.getx(); y-=p.gety(); } Point Point::operator+(Point p) { this->x+=p.x; this->y+=p.y; return *this; } Point Point::operator-(Point p) { this->x-=p.x;this->y-=p.y; return *this; } void main() { Point p1(2,3),p2(3,4),p3(p2); cout<<"1:"; p3.disp(); p3.offset(10,10); cout<<"2:"; p3.disp(); cout<<"3:"<<(p2==p3)<<endl; cout<<"4:"<<(p2!=p3)<<endl; p3+=p1; cout<<"5:"; p3.disp(); p3-=p2; cout<<"6:"; p3.disp(); p3=p1+p3; // 先将p1+p3的结果放在p1中,然后赋给p3,所以p1=p3 cout<<"7:"; p3.disp(); p3=p1-p2; cout<<"8:"; p3.disp(); }
本程序的执行结果如下: 1:(3,4) 2:(13,14) 3:0 4:1 5:(15,17) 6:(12,13) 7:(14,16) 8:(11,12)
----------------------------------------------------
<  
1/2 1 2 下一页 尾页 |